From 7de328cf76514b5a114b4fcf080b78a51a75257e Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Fri, 2 Feb 2024 17:05:57 -0500 Subject: [PATCH 001/123] Add a basic inbox tutorial (#1158) This adds a new tutorial on the doc site + corresponding stencil project. The goal of the tutorial is to get someone new to circuit (but not new to compose) familiarized with the core concepts by building a simple email inbox and detail flow. --------- Co-authored-by: Josh Stagg --- .../com/slack/circuit/foundation/Circuit.kt | 41 +- docs/tutorial.md | 558 ++++++++++++++++++ mkdocs.yml | 6 + samples/README.md | 4 + samples/tutorial/build.gradle.kts | 72 +++ .../src/androidMain/AndroidManifest.xml | 37 ++ .../slack/circuit/tutorial/MainActivity.kt | 18 + .../circuit/tutorial/impl/DetailScreen.kt | 90 +++ .../circuit/tutorial/impl/InboxScreen.kt | 76 +++ .../circuit/tutorial/impl/MainActivityImpl.kt | 33 ++ .../slack/circuit/tutorial/common/Email.kt | 15 + .../tutorial/common/EmailRepository.kt | 29 + .../com/slack/circuit/tutorial/common/ui.kt | 108 ++++ .../circuit/tutorial/impl/DetailScreen.kt | 85 +++ .../circuit/tutorial/impl/InboxScreen.kt | 74 +++ .../com/slack/circuit/tutorial/impl/main.kt | 35 ++ .../kotlin/com/slack/circuit/tutorial/main.kt | 8 + settings.gradle.kts | 1 + 18 files changed, 1289 insertions(+), 1 deletion(-) create mode 100644 docs/tutorial.md create mode 100644 samples/tutorial/build.gradle.kts create mode 100644 samples/tutorial/src/androidMain/AndroidManifest.xml create mode 100644 samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt create mode 100644 samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt create mode 100644 samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt create mode 100644 samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt create mode 100644 samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/Email.kt create mode 100644 samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/EmailRepository.kt create mode 100644 samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt create mode 100644 samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt create mode 100644 samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt create mode 100644 samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt create mode 100644 samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/main.kt diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt index 4593b5171..fc0ea9f19 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt @@ -11,11 +11,13 @@ import androidx.compose.ui.graphics.Color import androidx.compose.ui.text.TextStyle import com.slack.circuit.backstack.NavDecoration import com.slack.circuit.runtime.CircuitContext +import com.slack.circuit.runtime.CircuitUiState import com.slack.circuit.runtime.InternalCircuitApi import com.slack.circuit.runtime.Navigator import com.slack.circuit.runtime.presenter.Presenter import com.slack.circuit.runtime.screen.Screen import com.slack.circuit.runtime.ui.Ui +import com.slack.circuit.runtime.ui.ui /** * [Circuit] adapts [presenter factories][Presenter.Factory] to their corresponding @@ -118,7 +120,7 @@ public class Circuit private constructor(builder: Builder) { public fun newBuilder(): Builder = Builder(this) - public class Builder constructor() { + public class Builder() { public val uiFactories: MutableList = mutableListOf() public val presenterFactories: MutableList = mutableListOf() public var onUnavailableContent: (@Composable (screen: Screen, modifier: Modifier) -> Unit) = @@ -137,6 +139,18 @@ public class Circuit private constructor(builder: Builder) { eventListenerFactory = circuit.eventListenerFactory } + public inline fun addUi( + crossinline content: @Composable (state: UiState, modifier: Modifier) -> Unit + ): Builder = apply { + addUiFactory { screen, _ -> + if (screen is S) { + ui { state, modifier -> content(state, modifier) } + } else { + null + } + } + } + public fun addUiFactory(factory: Ui.Factory): Builder = apply { uiFactories.add(factory) } public fun addUiFactory(vararg factory: Ui.Factory): Builder = apply { @@ -149,6 +163,31 @@ public class Circuit private constructor(builder: Builder) { uiFactories.addAll(factories) } + public inline fun addPresenter( + crossinline factory: + (screen: Screen, navigator: Navigator, context: CircuitContext) -> Presenter + ): Builder = apply { + addPresenterFactory { screen, navigator, context -> + if (screen is S) { + factory(screen, navigator, context) + } else { + null + } + } + } + + public inline fun addPresenter( + presenter: Presenter + ): Builder = apply { + addPresenterFactory { screen, _, _ -> + if (screen is S) { + presenter + } else { + null + } + } + } + public fun addPresenterFactory(factory: Presenter.Factory): Builder = apply { presenterFactories.add(factory) } diff --git a/docs/tutorial.md b/docs/tutorial.md new file mode 100644 index 000000000..80dd1d32c --- /dev/null +++ b/docs/tutorial.md @@ -0,0 +1,558 @@ +Tutorial +======== + +This tutorial will help you ramp up to Circuit with a simple email app. + +Note this assumes some prior experience with Compose. See these resources for more information: + +- (Android) [Get started with Jetpack Compose](https://developer.android.com/jetpack/compose/documentation) +- (Android) [Jetpack Compose Tutorial](https://developer.android.com/jetpack/compose/tutorial) +- (Multiplatform) [Get started with Compose Multiplatform](https://www.jetbrains.com/help/kotlin-multiplatform-dev/compose-multiplatform-getting-started.html) + +## Setup + +You can do this tutorial in one of two ways: + +### 1. Build out of the `tutorial` sample + +Clone the circuit repo and work out of the `:samples:tutorial` module. This has all your dependencies set up and ready to go, along with some reusable common code to save you some boilerplate. You can see an implementation of this tutorial there as well. + +This can be run on Android or Desktop. +- The Desktop entry point is `main.kt`. To run the main function, you can run `./gradlew :samples:tutorial:run`. +- The Android entry point is `MainActivity`. Run `./gradlew :samples:tutorial:installDebug` to install it on a device or emulator. + +### 2. Start from scratch + +First, set up Compose in your project. See the following guides for more information: + +- [Android](https://developer.android.com/jetpack/compose/setup) + - Also set up [Parcelize](https://developer.android.com/kotlin/parcelize) +- [Multiplatform](https://www.jetbrains.com/help/kotlin-multiplatform-dev/compose-multiplatform-getting-started.html) + +Next, add the `circuit-foundation` dependency. This includes all the core Circuit artifacts. + +```kotlin title="build.gradle.kts" +dependencies { + implementation("com.slack.circuit:circuit-foundation:") +} +``` + +See [setup docs](setup.md) for more information. + +## Create a `Screen` + +The primary entry points in Circuit are `Screen`s ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-runtime-screen/com.slack.circuit.runtime.screen/-screen/index.html)). These are the navigational building blocks of your app. A `Screen` is a simple data class or data object that represents a unique location in your app. For example, a `Screen` could represent an inbox list, an email detail, or a settings screen. + +Let's start with a simple `Screen` that represents an inbox list: + +=== "Android" + ```kotlin + @Parcelize + data object InboxScreen : Screen + ``` + +=== "Multiplatform" + ```kotlin + data object InboxScreen : Screen + ``` + +!!! tip + `Screen` is `Parcelable` on Android. You should use the Parcelize plugin to annotate your screens with `@Parcelize`. + +## Design your state + +Next, let's define some state for our `InboxScreen`. Circuit uses unidirectional data flow (UDF) to ensure strong separation between presentation logic and UI. States should be [_stable_ or _immutable_](https://developer.android.com/jetpack/compose/performance/stability), and directly renderable by your UIs. As such, you should design them to be as simple as possible. + +Conventionally, this is written as a nested `State` class inside your `Screen` and _must_ extend `CircuitUiState` ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-runtime/com.slack.circuit.runtime/-circuit-ui-state/index.html)). + +=== "InboxScreen" + ```kotlin title="InboxScreen.kt" hl_lines="2-4" + data object InboxScreen : Screen { + data class State( + val emails: List + ) : CircuitUiState + } + ``` + +=== "Email" + ```kotlin title="Email.kt" + @Immutable + data class Email( + val id: String, + val subject: String, + val body: String, + val sender: String, + val timestamp: String, + val recipients: List, + ) + ``` + +See the [states and events](states-and-events.md) guide for more information. + +## Create your UI + +Next, let's define a `Ui` for our `InboxScreen`. A `Ui` is a simple composable function that takes `State` and `Modifier` parameters. It's responsible for rendering the state. You should write this like a standard composable. In this case, we'll use a `LazyColumn` to render a list of emails. + +// TODO side by side screenshot? + +```kotlin title="InboxScreen.kt" +@Composable +fun Inbox(state: InboxScreen.State, modifier: Modifier = Modifier) { + Scaffold(modifier = modifier, topBar = { TopAppBar(title = { Text("Inbox") }) }) { innerPadding -> + LazyColumn(modifier = Modifier.padding(innerPadding)) { + items(state.emails) { email -> + EmailItem(email) + } + } + } +} + +// Write one or use EmailItem from ui.kt +@Composable +private fun EmailItem(email: Email, modifier: Modifier = Modifier) { + // ... +} +``` + + +For more complex UIs with dependencies, you can create a class that implements the `Ui` interface ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-runtime-ui/com.slack.circuit.runtime.ui/-ui/index.html)). This is rarely necessary though, and we won't use this in the tutorial. + +```kotlin title="InboxUi.kt" hl_lines="1 2 3 9 10" +class InboxUi(...) : Ui { + @Composable + override fun Content(state: InboxScreen.State, modifier: Modifier) { + LazyColumn(modifier = modifier) { + items(state.emails) { email -> + EmailItem(email) + } + } + } +} +``` + +## Implement your presenter + +Next, let's define a `Presenter` ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-runtime-presenter/com.slack.circuit.runtime.presenter/-presenter/index.html)) for our `InboxScreen`. Circuit presenters are responsible for computing and emitting state. + +```kotlin title="InboxScreen.kt" +class InboxPresenter : Presenter { + @Composable + override fun present(): InboxScreen.State { + return InboxScreen.State( + emails = listOf( + Email( + id = "1", + subject = "Meeting re-sched!", + body = "Hey, I'm going to be out of the office tomorrow. Can we reschedule?", + sender = "Ali Connors", + timestamp = "3:00 PM", + recipients = listOf("all@example.com"), + ), + // ... more emails + ) + ) + } +} +``` + +This is a trivial implementation that returns a static list of emails. In a real app, you'd likely fetch this data from a repository or other data source. In our tutorial code in the repo, we've added a simple `EmailRepository` that you can use to fetch emails. It exposes a suspending `getEmails()` function that returns a list of emails. + +This is also a good opportunity to see where using compose in our presentation logic shines, as we can use Compose's advanced state management to make our presenter logic more expressive and easy to understand. + +```kotlin title="InboxScreen.kt" hl_lines="4-8" +class InboxPresenter(private val emailRepository: EmailRepository) : Presenter { + @Composable + override fun present(): InboxScreen.State { + val emails by produceState>(initialValue = emptyList()) { + value = emailRepository.getEmails() + } + // Or a flow! + // val emails by emailRepository.getEmailsFlow().collectAsState(initial = emptyList()) + return InboxScreen.State(emails) + } +} +``` + +Analogous to `Ui`, you can also define simple/dependency-less presenters as just a top-level function. + +```kotlin title="InboxScreen.kt" +@Composable +fun InboxPresenter(): InboxScreen.State { + val emails = ... + return InboxScreen.State(emails) +} +``` + +!!! tip + Generally, Circuit presenters are implemented as classes and Circuit UIs are implemented as top-level functions. You can mix and match as needed for a given use case. Under the hood, Circuit will wrap all top-level functions into a class for you. + +## Wiring it up + +Now that we have a `Screen`, `State`, `Ui`, and `Presenter`, let's wire them up together. Circuit accomplishes this with the `Circuit` class ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-foundation/com.slack.circuit.foundation/-circuit/index.html)), which is responsible for connecting screens to their corresponding presenters and UIs. These are created with a simple builder pattern. + +```kotlin title="Creating a Circuit instance" +val emailRepository = EmailRepository() +val circuit: Circuit = + Circuit.Builder() + .addPresenter(InboxPresenter(emailRepository)) + .addUi { state, modifier -> Inbox(state, modifier) } + .build() +``` + +This instance should usually live on your application's DI graph. + +!!! note + This is a simple example that uses the `addPresenter` and `addUi` functions. In a real app, you'd likely use a `Presenter.Factory` and `Ui.Factory` to create your presenters and UIs dynamically. + +Once you have this instance, you can plug it into `CircuitCompositionLocals` ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-foundation/com.slack.circuit.foundation/-circuit-composition-locals.html)) and be on your way. This is usually a one-time setup in your application at its primary entry point. + +=== "Android" + ```kotlin title="MainActivity.kt" + class MainActivity { + override fun onCreate(savedInstanceState: Bundle?) { + super.onCreate(savedInstanceState) + val circuit = Circuit.Builder() + // ... + .build() + + setContent { + CircuitCompositionLocals(circuit) { + // ... + } + } + } + } + ``` + +=== "Desktop" + ```kotlin title="main.kt" + fun main() { + val circuit = Circuit.Builder() + // ... + .build() + + application { + Window(title = "Inbox", onCloseRequest = ::exitApplication) { + CircuitCompositionLocals(circuit) { + // ... + } + } + } + } + ``` + +=== "JS" + ```kotlin title="main.kt" + fun main() { + val circuit = Circuit.Builder() + // ... + .build() + + onWasmReady { + Window("Inbox") { + CircuitCompositionLocals(circuit) { + // ... + } + } + } + } + ``` + +## `CircuitContent` + +`CircuitContent` ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-foundation/com.slack.circuit.foundation/-circuit-content.html)) is a simple composable that takes a `Screen` and renders it. + +```kotlin title="CircuitContent" +CircuitCompositionLocals(circuit) { + CircuitContent(InboxScreen) +} +``` + +Under the hood, this instantiates the corresponding `Presenter` and `Ui` from the local `Circuit` instance and connects them together. All you need to do is pass in the `Screen` you want to render! + +This is the most basic way to render a `Screen`. These can be top-level UIs or nested within other UIs. You can even have multiple `CircuitContent` instances in the same composition. + +## Adding navigation to our app + +An app architecture isn't complete without navigation. Circuit provides a simple navigation API that's focused around a simple `BackStack` ([docs](https://slackhq.github.io/circuit/api/0.x/backstack/com.slack.circuit.backstack/-back-stack/index.html)) that is navigated via a `Navigator` interface ([docs]()). In most cases, you can use the built-in `SaveableBackStack` implementation ([docs](https://slackhq.github.io/circuit/api/0.x/backstack/com.slack.circuit.backstack/-saveable-back-stack/index.html)), which is saved and restored in accordance with whatever the platform's `rememberSaveable` implementation is. + +```kotlin title="Creating a backstack and navigator" +val backStack = rememberSaveableBackStack { + // Push your root screen + push(InboxScreen) +} +val navigator = rememberCircuitNavigator(backStack) { + // Do something when the root screen is popped, usually exiting the app +} +``` + +Once you have these two components created, you can pass them to an advanced version of `CircuitContent` that supports navigation called `NavigableCircuitContent` ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-foundation/com.slack.circuit.foundation/-navigable-circuit-content.html)). + +```kotlin title="NavigableCircuitContent" +NavigableCircuitContent(navigator = navigator, backstack = backStack) +``` + +This composable will automatically manage the backstack and navigation for you, essentially rendering the "top" of the back stack as your _navigator_ navigates it. This also handles transitions between screens ([`NavDecoration`](https://slackhq.github.io/circuit/api/0.x/backstack/com.slack.circuit.backstack/-nav-decoration/index.html)) and fallback behavior with `Circuit.Builder.onUnavailableRoute` ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-foundation/com.slack.circuit.foundation/-circuit/on-unavailable-content.html)). + +Like with `Circuit`, this is usually a one-time setup in your application at its primary entry point. + +```kotlin title="Putting it all together" +val backStack = rememberSaveableBackStack { + // Push your root screen + push(InboxScreen) +} +val navigator = rememberCircuitNavigator(backStack) { + // Do something when the root screen is popped, usually exiting the app +} +CircuitCompositionLocals(circuit) { + NavigableCircuitContent(navigator = navigator, backstack = backStack) +} +``` + +## Add a detail screen + +Now that we have navigation set up, let's add a detail screen to our app to navigate to. First, let's define a `DetailScreen` and state. + +=== "Android" + ```kotlin title="DetailScreen.kt" + @Parcelize + data class DetailScreen(val emailId: String) : Screen { + data class State(val email: Email) : CircuitUiState + } + ``` +=== "Multiplatform" + ```kotlin title="DetailScreen.kt" + data class DetailScreen(val emailId: String) : Screen { + data class State(val email: Email) : CircuitUiState + } + ``` + +Notice that this time we use a `data class` instead of a `data object`. This is because we want to be able to pass in an `emailId` to the screen. We'll use this to fetch the email from our data layer. + +!!! warning + You should keep `Screen` parameters as simple as possible and derive any additional data you need from your data layer instead. + +Next, let's define a Presenter and UI for this screen. + +=== "Presenter" + ```kotlin title="DetailScreen.kt" + class DetailPresenter( + private val screen: DetailScreen, + private val emailRepository: EmailRepository + ) : Presenter { + @Composable + override fun present(): DetailScreen.State { + val email = emailRepository.getEmail(screen.emailId) + return DetailScreen.State(email) + } + } + ``` + +=== "UI" + ```kotlin title="DetailScreen.kt" + @Composable + fun EmailDetail(state: DetailScreen.State, modifier: Modifier = Modifier) { + // ... + // Write one or use EmailDetailContent from ui.kt + } + ``` + +Note that we're injecting the `DetailScreen` into our `Presenter` so we can get the email ID. This is where Circuit's factory pattern comes into play. Let's define a factory for our `DetailPresenter`. + +```kotlin title="DetailScreen.kt" hl_lines="3-10" +class DetailPresenter(...) : Presenter { + // ... + class Factory(private val emailRepository: EmailRepository) : Presenter.Factory { + override fun create(screen: Screen, navigator: Navigator, context: CircuitContext): Presenter<*>? { + return when (screen) { + is DetailScreen -> return DetailPresenter(screen, emailRepository) + else -> null + } + } + } +} +``` + +Here we have access to the screen and dynamically create the presenter we need. It can then pass the screen on to the presenter. + +We can then wire these detail components to our `Circuit` instance too. + +```kotlin hl_lines="4-5" +val circuit: Circuit = + Circuit.Builder() + // ... + .addPresenterFactory(DetailPresenter.Factory(emailRepository)) + .addUi { state, modifier -> EmailDetail(state, modifier) } + .build() +``` + +## Navigate to the detail screen + +Now that we have a detail screen, let's navigate to it from our inbox list. As you can see in our presenter factory above, Circuit also offers access to a `Navigator` in this `create()` call that factories can then pass on to their created presenters. + +Let's add a `Navigator` property to our presenter and create a factory for our inbox screen now. + +=== "InboxPresenter" + ```kotlin title="InboxScreen.kt" + class InboxPresenter( + private val navigator: Navigator, + private val emailRepository: EmailRepository + ) : Presenter { + // ... + class Factory(private val emailRepository: EmailRepository) : Presenter.Factory { + override fun create(screen: Screen, navigator: Navigator, context: CircuitContext): Presenter<*>? { + return when (screen) { + InboxScreen -> return InboxPresenter(navigator, emailRepository) + else -> null + } + } + } + } + ``` + +=== "Circuit instance" + ```kotlin hl_lines="3-4" + val circuit: Circuit = + Circuit.Builder() + .addPresenterFactory(InboxPresenter.Factory(emailRepository)) + .addUi { state, modifier -> Inbox(state, modifier) } + .addPresenterFactory(DetailPresenter.Factory(emailRepository)) + .addUi { state, modifier -> EmailDetail(state, modifier) } + .build() + ``` + +Now that we have a `Navigator` in our inbox presenter, we can use it to navigate to the detail screen. First, we need to explore how events work in Circuit. + +## Events + +So far, we've covered _state_. State is produced by the presenter and consumed by the UI. That's only half of the UDF picture though! _Events_ are the inverse: they're produced by the UI and consumed by the presenter. Events are how you can trigger actions in your app, such as navigation. _This completes the circuit._ + +Events in Circuit are a little unconventional in that Circuit doesn't provide structured APIs for pipelining events from the UI to presenters. Instead, we use an _event sink property_ pattern, where states contain a trailing `eventSink` function that receives events emitted from the UI. + +This provides many benefits, see the [events](states-and-events.md) guide for more information. + +Let's add an event to our inbox screen for when the user clicks on an email. + +Events must implement `CircuitUiEvent` ([docs](https://slackhq.github.io/circuit/api/0.x/circuit-runtime/com.slack.circuit.runtime/-circuit-ui-event/index.html)) and are usually modeled as a `sealed interface` hierarchy, where each subtype is a different event type. + +```kotlin title="InboxScreen.kt" hl_lines="4 6-8" +data object InboxScreen : Screen { + data class State( + val emails: List, + val eventSink: (Event) -> Unit + ) : CircuitUiState + sealed class Event : CircuitUiEvent { + data class EmailClicked(val emailId: String) : Event() + } +} +``` + +Now that we have an event, let's emit it from our UI. + +```kotlin title="InboxScreen.kt" hl_lines="6-8 15" +@Composable +fun Inbox(state: InboxScreen.State, modifier: Modifier = Modifier) { + Scaffold(modifier = modifier, topBar = { TopAppBar(title = { Text("Inbox") }) }) { innerPadding -> + LazyColumn(modifier = Modifier.padding(innerPadding)) { + items(state.emails) { email -> + EmailItem( + email = email, + onClick = { state.eventSink(InboxScreen.Event.EmailClicked(email.id)) }, + ) + } + } + } +} + +// Write one or use EmailItem from ui.kt +private fun EmailItem(email: Email, modifier: Modifier = Modifier, onClick: () -> Unit) { + // ... +} +``` + +Finally, let's handle this event in our presenter. + +```kotlin title="InboxScreen.kt" hl_lines="8-13" +class InboxPresenter( + private val navigator: Navigator, + private val emailRepository: EmailRepository +) : Presenter { + @Composable + override fun present(): InboxScreen.State { + // ... + return InboxScreen.State(emails) { event -> + when (event) { + // Navigate to the detail screen when an email is clicked + is EmailClicked -> navigator.goTo(DetailScreen(event.emailId)) + } + } + } +} +``` + +This demonstrates how we can navigate forward in our app and pass data with it. Let's see how we can navigate back. + +## Navigating back + +Naturally, navigation can't be just one way. The opposite of `Navigator.goTo()` is `Navigator.pop()`, which pops the back stack back to the previous screen. To use this, let's add a back button to our detail screen and wire it up to a `Navigator`. + +=== "DetailScreen" + ```kotlin title="DetailScreen.kt" hl_lines="4 6-8" + data class DetailScreen(val emailId: String) : Screen { + data class State( + val email: Email, + val eventSink: (Event) -> Unit + ) : CircuitUiState + sealed class Event : CircuitUiEvent { + data object BackClicked : Event() + } + } + ``` + +=== "DetailContent" + ```kotlin title="DetailScreen.kt" hl_lines="8-12" + @Composable + fun EmailDetail(state: DetailScreen.State, modifier: Modifier = Modifier) { + Scaffold( + modifier = modifier, + topBar = { + TopAppBar( + title = { Text(state.email.subject) }, + navigationIcon = { + IconButton(onClick = { state.eventSink(DetailScreen.Event.BackClicked) }) { + Icon(Icons.Default.ArrowBack, contentDescription = "Back") + } + }, + ) + }, + ) { innerPadding -> + // Remaining detail UI... + } + } + ``` + +=== "DetailPresenter" + ```kotlin title="DetailScreen.kt" hl_lines="11" + class DetailPresenter( + private val screen: DetailScreen, + private val navigator: Navigator, + private val emailRepository: EmailRepository, + ) : Presenter { + @Composable + override fun present(): DetailScreen.State { + // ... + return DetailScreen.State(email) { event -> + when (event) { + DetailScreen.Event.BackClicked -> navigator.pop() + } + } + } + // ... + } + ``` + +On Android, `NavigableCircuitContent` automatically hooks into [BackHandler](https://developer.android.com/reference/kotlin/androidx/activity/compose/package-summary#BackHandler(kotlin.Boolean,kotlin.Function0)) to automatically pop on system back presses. On Desktop, it's recommended to wire the ESC key. + +## Conclusion + +This is just a brief introduction to Circuit. For more information see various docs on the site, samples in the repo, the [API reference](../api/0.x/index.html), and check out other Circuit tools like [circuit-retained](https://slackhq.github.io/circuit/presenter/#retention), [CircuitX](https://slackhq.github.io/circuit/circuitx/), [factory code gen](https://slackhq.github.io/circuit/code-gen/), [overlays](https://slackhq.github.io/circuit/overlays/), [testing](https://slackhq.github.io/circuit/testing/), [multiplatform](https://slackhq.github.io/circuit/setup/#platform-support), and more. \ No newline at end of file diff --git a/mkdocs.yml b/mkdocs.yml index 8ce2ad022..c22c5f2c3 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -33,6 +33,9 @@ theme: font: text: 'Lato' code: 'Fira Code' + features: + - content.code.copy + - content.code.select extra_css: - 'css/app.css' @@ -53,11 +56,14 @@ markdown_extensions: - pymdownx.smartsymbols - pymdownx.superfences - pymdownx.emoji + - pymdownx.tabbed: + alternate_style: true - tables - admonition nav: - 'Introduction': index.md + - 'Tutorial': tutorial.md - 'Setting up Circuit': setup.md - 'States and Events': states-and-events.md - 'Screen': screen.md diff --git a/samples/README.md b/samples/README.md index 0941b4694..2c3127fb5 100644 --- a/samples/README.md +++ b/samples/README.md @@ -14,3 +14,7 @@ See the README.md files in each sample directory for more information. Counter example. - `tacos` - A food ordering flow/wizard app demonstrating use of a composite Circuit presenter and multiple nested UIs. +- `tutorial` - A tutorial that walks through the creation of a simple Circuit app. Follow the + instructions [here](https://slackhq.github.io/circuit/tutorial/). + - Run the Desktop app via `./gradlew :samples:tutorial:run`. + - Install the Android app via `./gradlew :samples:tutorial:installDebug`. diff --git a/samples/tutorial/build.gradle.kts b/samples/tutorial/build.gradle.kts new file mode 100644 index 000000000..b1a9b9096 --- /dev/null +++ b/samples/tutorial/build.gradle.kts @@ -0,0 +1,72 @@ +// Copyright (C) 2022 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.ExperimentalKotlinGradlePluginApi +import org.jetbrains.kotlin.gradle.dsl.JvmTarget +import org.jetbrains.kotlin.gradle.dsl.KotlinJvmCompilerOptions + +plugins { + alias(libs.plugins.kotlin.multiplatform) + alias(libs.plugins.compose) + alias(libs.plugins.agp.application) + alias(libs.plugins.kotlin.plugin.parcelize) +} + +android { + namespace = "com.slack.circuit.tutorial" + defaultConfig { + minSdk = 21 + targetSdk = 34 + } +} + +androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } + +kotlin { + androidTarget() + jvm { + @OptIn(ExperimentalKotlinGradlePluginApi::class) + mainRun { mainClass.set("com.slack.circuit.tutorial.MainKt") } + } + jvmToolchain(libs.versions.jdk.get().toInt()) + + applyDefaultHierarchyTemplate() + + sourceSets { + commonMain { + dependencies { + implementation(libs.compose.foundation) + implementation(libs.compose.material.material3) + implementation(libs.compose.material.icons) + implementation(libs.compose.ui.tooling.preview) + implementation(projects.circuitFoundation) + } + } + val androidMain by getting { + dependencies { + implementation(libs.androidx.activity.ktx) + implementation(libs.androidx.appCompat) + implementation(libs.bundles.compose.ui) + implementation(libs.androidx.compose.integration.activity) + implementation(libs.material) + } + } + jvmMain { dependencies { implementation(compose.desktop.currentOs) } } + + configureEach { + @OptIn(ExperimentalKotlinGradlePluginApi::class) + compilerOptions { + freeCompilerArgs.add("-Xexpect-actual-classes") + optIn.add("androidx.compose.material3.ExperimentalMaterial3Api") + if (this is KotlinJvmCompilerOptions) { + jvmTarget.set(libs.versions.jvmTarget.map { JvmTarget.fromTarget(it) }) + } + } + } + } +} + +tasks.withType().configureEach { + options.release.set(libs.versions.jvmTarget.map { it.toInt() }) +} + +compose.desktop { application { mainClass = "com.slack.circuit.tutorial.MainKt" } } diff --git a/samples/tutorial/src/androidMain/AndroidManifest.xml b/samples/tutorial/src/androidMain/AndroidManifest.xml new file mode 100644 index 000000000..2d050f2b2 --- /dev/null +++ b/samples/tutorial/src/androidMain/AndroidManifest.xml @@ -0,0 +1,37 @@ + + + + + + + + + + + + + \ No newline at end of file diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt new file mode 100644 index 000000000..0e65b7e8c --- /dev/null +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt @@ -0,0 +1,18 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial + +import android.os.Bundle +import androidx.activity.enableEdgeToEdge +import androidx.appcompat.app.AppCompatActivity +import com.slack.circuit.tutorial.impl.tutorialOnCreate + +class MainActivity : AppCompatActivity() { + override fun onCreate(savedInstanceState: Bundle?) { + super.onCreate(savedInstanceState) + enableEdgeToEdge() + + // TODO replace with your own impl if following the tutorial! + tutorialOnCreate() + } +} diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt new file mode 100644 index 000000000..fb760f802 --- /dev/null +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt @@ -0,0 +1,90 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.impl + +import androidx.compose.foundation.layout.Arrangement.spacedBy +import androidx.compose.foundation.layout.Column +import androidx.compose.foundation.layout.padding +import androidx.compose.material.icons.Icons +import androidx.compose.material.icons.filled.ArrowBack +import androidx.compose.material3.Icon +import androidx.compose.material3.IconButton +import androidx.compose.material3.Scaffold +import androidx.compose.material3.Text +import androidx.compose.material3.TopAppBar +import androidx.compose.runtime.Composable +import androidx.compose.runtime.derivedStateOf +import androidx.compose.runtime.getValue +import androidx.compose.runtime.remember +import androidx.compose.ui.Modifier +import androidx.compose.ui.unit.dp +import com.slack.circuit.runtime.CircuitContext +import com.slack.circuit.runtime.CircuitUiEvent +import com.slack.circuit.runtime.CircuitUiState +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.Screen +import com.slack.circuit.tutorial.common.Email +import com.slack.circuit.tutorial.common.EmailDetailContent +import com.slack.circuit.tutorial.common.EmailRepository +import kotlinx.parcelize.Parcelize + +@Parcelize +data class DetailScreen(val emailId: String) : Screen { + data class State(val email: Email, val eventSink: (Event) -> Unit) : CircuitUiState + + sealed interface Event : CircuitUiEvent { + data object BackClicked : Event + } +} + +class DetailPresenter( + private val screen: DetailScreen, + private val navigator: Navigator, + private val emailRepository: EmailRepository, +) : Presenter { + @Composable + override fun present(): DetailScreen.State { + val email = emailRepository.getEmail(screen.emailId) + return DetailScreen.State(email) { event -> + when (event) { + DetailScreen.Event.BackClicked -> navigator.pop() + } + } + } + + class Factory(private val emailRepository: EmailRepository) : Presenter.Factory { + override fun create( + screen: Screen, + navigator: Navigator, + context: CircuitContext, + ): Presenter<*>? { + return when (screen) { + is DetailScreen -> return DetailPresenter(screen, navigator, emailRepository) + else -> null + } + } + } +} + +@Composable +fun EmailDetail(state: DetailScreen.State, modifier: Modifier = Modifier) { + val subject by remember { derivedStateOf { state.email.subject } } + Scaffold( + modifier = modifier, + topBar = { + TopAppBar( + title = { Text(subject) }, + navigationIcon = { + IconButton(onClick = { state.eventSink(DetailScreen.Event.BackClicked) }) { + Icon(Icons.Default.ArrowBack, contentDescription = "Back") + } + }, + ) + }, + ) { innerPadding -> + Column(modifier = Modifier.padding(innerPadding), verticalArrangement = spacedBy(16.dp)) { + EmailDetailContent(state.email) + } + } +} diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt new file mode 100644 index 000000000..b55a4418e --- /dev/null +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt @@ -0,0 +1,76 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.impl + +import androidx.compose.foundation.layout.padding +import androidx.compose.foundation.lazy.LazyColumn +import androidx.compose.foundation.lazy.items +import androidx.compose.material3.Scaffold +import androidx.compose.material3.Text +import androidx.compose.material3.TopAppBar +import androidx.compose.runtime.Composable +import androidx.compose.runtime.getValue +import androidx.compose.runtime.produceState +import androidx.compose.ui.Modifier +import com.slack.circuit.runtime.CircuitContext +import com.slack.circuit.runtime.CircuitUiEvent +import com.slack.circuit.runtime.CircuitUiState +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.Screen +import com.slack.circuit.tutorial.common.Email +import com.slack.circuit.tutorial.common.EmailItem +import com.slack.circuit.tutorial.common.EmailRepository +import kotlinx.parcelize.Parcelize + +@Parcelize +data object InboxScreen : Screen { + data class State(val emails: List, val eventSink: (Event) -> Unit) : CircuitUiState + + sealed class Event : CircuitUiEvent { + data class EmailClicked(val emailId: String) : Event() + } +} + +class InboxPresenter( + private val navigator: Navigator, + private val emailRepository: EmailRepository, +) : Presenter { + @Composable + override fun present(): InboxScreen.State { + val emails by + produceState>(initialValue = emptyList()) { value = emailRepository.getEmails() } + return InboxScreen.State(emails) { event -> + when (event) { + is InboxScreen.Event.EmailClicked -> navigator.goTo(DetailScreen(event.emailId)) + } + } + } + + class Factory(private val emailRepository: EmailRepository) : Presenter.Factory { + override fun create( + screen: Screen, + navigator: Navigator, + context: CircuitContext, + ): Presenter<*>? { + return when (screen) { + InboxScreen -> return InboxPresenter(navigator, emailRepository) + else -> null + } + } + } +} + +@Composable +fun Inbox(state: InboxScreen.State, modifier: Modifier = Modifier) { + Scaffold(modifier = modifier, topBar = { TopAppBar(title = { Text("Inbox") }) }) { innerPadding -> + LazyColumn(modifier = Modifier.padding(innerPadding)) { + items(state.emails) { email -> + EmailItem( + email = email, + onClick = { state.eventSink(InboxScreen.Event.EmailClicked(email.id)) }, + ) + } + } + } +} diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt new file mode 100644 index 000000000..0bcc46066 --- /dev/null +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt @@ -0,0 +1,33 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.impl + +import androidx.activity.compose.setContent +import androidx.compose.material3.MaterialTheme +import com.slack.circuit.backstack.rememberSaveableBackStack +import com.slack.circuit.foundation.Circuit +import com.slack.circuit.foundation.CircuitCompositionLocals +import com.slack.circuit.foundation.NavigableCircuitContent +import com.slack.circuit.foundation.rememberCircuitNavigator +import com.slack.circuit.tutorial.MainActivity +import com.slack.circuit.tutorial.common.EmailRepository + +fun MainActivity.tutorialOnCreate() { + val emailRepository = EmailRepository() + val circuit: Circuit = + Circuit.Builder() + .addPresenterFactory(DetailPresenter.Factory(emailRepository)) + .addPresenterFactory(InboxPresenter.Factory(emailRepository)) + .addUi { state, modifier -> Inbox(state, modifier) } + .addUi { state, modifier -> EmailDetail(state, modifier) } + .build() + setContent { + MaterialTheme { + val backStack = rememberSaveableBackStack { push(InboxScreen) } + val navigator = rememberCircuitNavigator(backStack) + CircuitCompositionLocals(circuit) { + NavigableCircuitContent(navigator = navigator, backstack = backStack) + } + } + } +} diff --git a/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/Email.kt b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/Email.kt new file mode 100644 index 000000000..584d48b3b --- /dev/null +++ b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/Email.kt @@ -0,0 +1,15 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.common + +import androidx.compose.runtime.Immutable + +@Immutable +data class Email( + val id: String, + val subject: String, + val body: String, + val sender: String, + val timestamp: String, + val recipients: List, +) diff --git a/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/EmailRepository.kt b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/EmailRepository.kt new file mode 100644 index 000000000..96489fdc7 --- /dev/null +++ b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/EmailRepository.kt @@ -0,0 +1,29 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.common + +class EmailRepository { + companion object { + val DEMO = + Email( + id = "1", + subject = "Meeting re-sched!", + body = + "Hey, I'm going to be out of the office tomorrow. Can we reschedule our meeting for Thursday or next week?", + sender = "Ali Connors", + timestamp = "3:00 PM", + recipients = listOf("all@example.com"), + ) + } + + private val emails = listOf(DEMO).associateBy { it.id } + + @Suppress("RedundantSuspendModifier") // Just for demonstration purposes + suspend fun getEmails(): List { + return emails.values.toList() + } + + fun getEmail(id: String): Email { + return emails.getValue(id) + } +} diff --git a/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt new file mode 100644 index 000000000..3925f8b4d --- /dev/null +++ b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt @@ -0,0 +1,108 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.common + +import androidx.compose.foundation.Image +import androidx.compose.foundation.background +import androidx.compose.foundation.clickable +import androidx.compose.foundation.layout.Arrangement +import androidx.compose.foundation.layout.Column +import androidx.compose.foundation.layout.Row +import androidx.compose.foundation.layout.padding +import androidx.compose.foundation.layout.size +import androidx.compose.foundation.shape.CircleShape +import androidx.compose.material.icons.Icons +import androidx.compose.material.icons.filled.Person +import androidx.compose.material3.Divider +import androidx.compose.material3.MaterialTheme +import androidx.compose.material3.Text +import androidx.compose.runtime.Composable +import androidx.compose.ui.Modifier +import androidx.compose.ui.draw.alpha +import androidx.compose.ui.draw.clip +import androidx.compose.ui.graphics.Color +import androidx.compose.ui.graphics.ColorFilter +import androidx.compose.ui.text.font.FontWeight +import androidx.compose.ui.text.style.TextOverflow +import androidx.compose.ui.unit.dp + +/** A simple email item to show in a list. */ +@Composable +fun EmailItem(email: Email, modifier: Modifier = Modifier, onClick: () -> Unit = {}) { + Row( + modifier.clickable(onClick = onClick).padding(16.dp), + horizontalArrangement = Arrangement.spacedBy(16.dp), + ) { + Image( + Icons.Default.Person, + modifier = Modifier.size(40.dp).clip(CircleShape).background(Color.Magenta).padding(4.dp), + colorFilter = ColorFilter.tint(Color.White), + contentDescription = null, + ) + Column { + Row { + Text( + text = email.sender, + modifier = Modifier.weight(1f), + style = MaterialTheme.typography.titleMedium, + fontWeight = FontWeight.Bold, + ) + + Text( + text = email.timestamp, + style = MaterialTheme.typography.bodySmall, + modifier = Modifier.alpha(0.5f), + ) + } + + Text(text = email.subject, style = MaterialTheme.typography.labelLarge) + Text( + text = email.body, + maxLines = 2, + overflow = TextOverflow.Ellipsis, + style = MaterialTheme.typography.bodyMedium, + modifier = Modifier.alpha(0.5f), + ) + } + } +} + +@Composable +fun EmailDetailContent(email: Email, modifier: Modifier = Modifier) { + Column(modifier.padding(16.dp)) { + Row(horizontalArrangement = Arrangement.spacedBy(16.dp)) { + Image( + Icons.Default.Person, + modifier = Modifier.size(40.dp).clip(CircleShape).background(Color.Magenta).padding(4.dp), + colorFilter = ColorFilter.tint(Color.White), + contentDescription = null, + ) + Column(verticalArrangement = Arrangement.spacedBy(4.dp)) { + Row { + Text( + text = email.sender, + modifier = Modifier.weight(1f), + style = MaterialTheme.typography.titleMedium, + fontWeight = FontWeight.Bold, + ) + Text( + text = email.timestamp, + style = MaterialTheme.typography.bodySmall, + modifier = Modifier.alpha(0.5f), + ) + } + Text(text = email.subject, style = MaterialTheme.typography.labelMedium) + Row { + Text("To: ", style = MaterialTheme.typography.labelMedium, fontWeight = FontWeight.Bold) + Text( + text = email.recipients.joinToString(","), + style = MaterialTheme.typography.labelMedium, + modifier = Modifier.alpha(0.5f), + ) + } + } + } + Divider(modifier = Modifier.padding(vertical = 16.dp)) + Text(text = email.body, style = MaterialTheme.typography.bodyMedium) + } +} diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt new file mode 100644 index 000000000..0ec888e93 --- /dev/null +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt @@ -0,0 +1,85 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.impl + +import androidx.compose.foundation.layout.Arrangement.spacedBy +import androidx.compose.foundation.layout.Column +import androidx.compose.foundation.layout.padding +import androidx.compose.material.icons.Icons +import androidx.compose.material.icons.filled.ArrowBack +import androidx.compose.material3.Icon +import androidx.compose.material3.IconButton +import androidx.compose.material3.Scaffold +import androidx.compose.material3.Text +import androidx.compose.material3.TopAppBar +import androidx.compose.runtime.Composable +import androidx.compose.runtime.getValue +import androidx.compose.ui.Modifier +import androidx.compose.ui.unit.dp +import com.slack.circuit.runtime.CircuitContext +import com.slack.circuit.runtime.CircuitUiEvent +import com.slack.circuit.runtime.CircuitUiState +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.Screen +import com.slack.circuit.tutorial.common.Email +import com.slack.circuit.tutorial.common.EmailDetailContent +import com.slack.circuit.tutorial.common.EmailRepository + +data class DetailScreen(val emailId: String) : Screen { + data class State(val email: Email, val eventSink: (Event) -> Unit) : CircuitUiState + + sealed interface Event : CircuitUiEvent { + data object BackClicked : Event + } +} + +class DetailPresenter( + private val screen: DetailScreen, + private val navigator: Navigator, + private val emailRepository: EmailRepository, +) : Presenter { + @Composable + override fun present(): DetailScreen.State { + val email = emailRepository.getEmail(screen.emailId) + return DetailScreen.State(email) { event -> + when (event) { + DetailScreen.Event.BackClicked -> navigator.pop() + } + } + } + + class Factory(private val emailRepository: EmailRepository) : Presenter.Factory { + override fun create( + screen: Screen, + navigator: Navigator, + context: CircuitContext, + ): Presenter<*>? { + return when (screen) { + is DetailScreen -> return DetailPresenter(screen, navigator, emailRepository) + else -> null + } + } + } +} + +@Composable +fun EmailDetail(state: DetailScreen.State, modifier: Modifier = Modifier) { + Scaffold( + modifier = modifier, + topBar = { + TopAppBar( + title = { Text(state.email.subject) }, + navigationIcon = { + IconButton(onClick = { state.eventSink(DetailScreen.Event.BackClicked) }) { + Icon(Icons.Default.ArrowBack, contentDescription = "Back") + } + }, + ) + }, + ) { innerPadding -> + Column(modifier = Modifier.padding(innerPadding), verticalArrangement = spacedBy(16.dp)) { + EmailDetailContent(state.email) + } + } +} diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt new file mode 100644 index 000000000..e1b8a097c --- /dev/null +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/InboxScreen.kt @@ -0,0 +1,74 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.impl + +import androidx.compose.foundation.layout.padding +import androidx.compose.foundation.lazy.LazyColumn +import androidx.compose.foundation.lazy.items +import androidx.compose.material3.Scaffold +import androidx.compose.material3.Text +import androidx.compose.material3.TopAppBar +import androidx.compose.runtime.Composable +import androidx.compose.runtime.getValue +import androidx.compose.runtime.produceState +import androidx.compose.ui.Modifier +import com.slack.circuit.runtime.CircuitContext +import com.slack.circuit.runtime.CircuitUiEvent +import com.slack.circuit.runtime.CircuitUiState +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.Screen +import com.slack.circuit.tutorial.common.Email +import com.slack.circuit.tutorial.common.EmailItem +import com.slack.circuit.tutorial.common.EmailRepository + +data object InboxScreen : Screen { + data class State(val emails: List, val eventSink: (Event) -> Unit) : CircuitUiState + + sealed class Event : CircuitUiEvent { + data class EmailClicked(val emailId: String) : Event() + } +} + +class InboxPresenter( + private val navigator: Navigator, + private val emailRepository: EmailRepository, +) : Presenter { + @Composable + override fun present(): InboxScreen.State { + val emails by + produceState>(initialValue = emptyList()) { value = emailRepository.getEmails() } + return InboxScreen.State(emails) { event -> + when (event) { + is InboxScreen.Event.EmailClicked -> navigator.goTo(DetailScreen(event.emailId)) + } + } + } + + class Factory(private val emailRepository: EmailRepository) : Presenter.Factory { + override fun create( + screen: Screen, + navigator: Navigator, + context: CircuitContext, + ): Presenter<*>? { + return when (screen) { + InboxScreen -> return InboxPresenter(navigator, emailRepository) + else -> null + } + } + } +} + +@Composable +fun Inbox(state: InboxScreen.State, modifier: Modifier = Modifier) { + Scaffold(modifier = modifier, topBar = { TopAppBar(title = { Text("Inbox") }) }) { innerPadding -> + LazyColumn(modifier = Modifier.padding(innerPadding)) { + items(state.emails) { email -> + EmailItem( + email = email, + onClick = { state.eventSink(InboxScreen.Event.EmailClicked(email.id)) }, + ) + } + } + } +} diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt new file mode 100644 index 000000000..daa4ea960 --- /dev/null +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt @@ -0,0 +1,35 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial.impl + +import androidx.compose.material3.MaterialTheme +import androidx.compose.ui.window.Window +import androidx.compose.ui.window.application +import com.slack.circuit.backstack.rememberSaveableBackStack +import com.slack.circuit.foundation.Circuit +import com.slack.circuit.foundation.CircuitCompositionLocals +import com.slack.circuit.foundation.NavigableCircuitContent +import com.slack.circuit.foundation.rememberCircuitNavigator +import com.slack.circuit.tutorial.common.EmailRepository + +fun main() { + val emailRepository = EmailRepository() + val circuit: Circuit = + Circuit.Builder() + .addPresenterFactory(DetailPresenter.Factory(emailRepository)) + .addPresenterFactory(InboxPresenter.Factory(emailRepository)) + .addUi { state, modifier -> Inbox(state, modifier) } + .addUi { state, modifier -> EmailDetail(state, modifier) } + .build() + application { + Window(title = "Tutorial", onCloseRequest = ::exitApplication) { + MaterialTheme { + val backStack = rememberSaveableBackStack { push(InboxScreen) } + val navigator = rememberCircuitNavigator(backStack, ::exitApplication) + CircuitCompositionLocals(circuit) { + NavigableCircuitContent(navigator = navigator, backstack = backStack) + } + } + } + } +} diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/main.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/main.kt new file mode 100644 index 000000000..874847307 --- /dev/null +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/main.kt @@ -0,0 +1,8 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.tutorial + +fun main() { + // TODO replace with your own impl if following the tutorial! + com.slack.circuit.tutorial.impl.main() +} diff --git a/settings.gradle.kts b/settings.gradle.kts index 865a7a6e6..c0240cef3 100644 --- a/settings.gradle.kts +++ b/settings.gradle.kts @@ -232,6 +232,7 @@ include( ":samples:star:benchmark", ":samples:star:coil-rule", ":samples:tacos", + ":samples:tutorial", ":internal-test-utils", ) From 6525e06eb3eda214a983e80671c01af2240aaad7 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Fri, 2 Feb 2024 23:32:22 -0500 Subject: [PATCH 002/123] Add support for inter-Screen results (#1154) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This adds support for passing results back in inter-screen nav. For review, I'd suggest focusing on `BackStack`, `SaveableBackStack`, `Navigator`, and `AnsweringNavigator`. There's some other file noise due to dependency classpath updates and aligning naming `backStack` variables/params. ## Usage ```kotlin val filterScreenNavigator = rememberAnsweringNavigator(navigator) { result -> filters = result.filters } // Elsewhere filterScreenNavigator.goTo(FilterScreen(filters)) // In FilterScreen.kt data class FilterScreen(...) : Screen { @Parcelize data class Result(val filters: Filters) : PopResult } class FilterPresenter { @Composable fun present(): State { // ... navigator.pop(result = FilterScreen.Result(newFilters)) } } ``` State restoration (config changes and process death) handled automatically, launch ownership (i.e. only the presenter that requested it can read the result), is owned by the backstack record and GC'd with it. ## Under the hood There are two core areas of implementation ### BackStack The back stack functions as the mailbox/pipeline for passing results along. I tinkered with a few different areas at the navigator level, but this never felt right as the navigator is just a light shim over the back stack. Every API iteration of this resulted in just bolting on copies of the back stack APIs to the navigator, and eventually I felt it was best just to manipulate the backstack directly via the `rememberAnsweringNavigator` API instead. Back stack `Record`s now expose an API to await a result via `awaitResult()`, and the parent `BackStack` is responsible for giving it information during push/pop functions. `push()` now accepts a `resultKey: String` param, and this is a key that must be passed to `awaitResult()` on the other side. This is to ensure that only the caller that launched for result gets it back. When a new screen is pushed on to the top of the stack, the back stack sets this key on the previous record for reference. `pop()` now accepts an optional `PopResult`, which is the marker interface that all results must implement. Like `Screen`, it's also parcelable on android and must be saveable since it is persisted with the Record. This is also exposed on the `Navigator.pop()` call. Internally in `SaveableBackStack.Record` (the only impl of this right now), it contains a `resultChannel` with a capacity of 1 and overflow behavior to drop latest. This ensures only one result is ever kept, and new results replace the old (if unconsumed). When a new record is pushed, it also clears any pending result on the previous record. This channel more or less acts as the plumbing for the result, and the record just does some extra checks to make sure the caller awaiting has a matching key to receive it. ### `rememberAnsweringNavigator` This composable function encapsulates all the logic for navigating to a screen with the expectation of a result. This manages generation of a key to give to the record, and manipulates the backstack directly (similar to how `rememberCircuitNavigator` does), allowing us to keep these the added API surface area to the lower level record APIs. This manages tracking the back stack state and, upon returning to our previous record, will then automatically await a result of the expected type and then passes it on to the receiver `body` passed to this function. This works great with the key because upon restoration it'll just pick up listening where it left off, and the `goTo` is done separately. This means if it's already on the back stack behind another screen, it does nothing and will automatically resume when it comes back to the top of the stack. This takes some inspiration from the androidx activity result APIs for compose too. ## More notes Some caveats - Result unpacking requires just type checks. Could maybe introduce something like `ResultingScreen` to let the compiler enforce some of this. Not sure about the screen sending the result though. I did try the interface briefly, but feel it may be limiting in the end because it doesn't allow for a screen to return multiple different types. - ~Breaks if you have an intercepting navigator that doesn't delegate to a real one backed by a backstack. Requires normalizing passing the navigator on as part of state, which feels odd~ Fixed ✅ > Is there a place for both this and overlays? Yes, I believe so. Overlay is still useful for a tighter suspending + type-safe contract, non-saveable inputs/outputs, ephemeral UIs, and the ability to have live stable state classes. **Next steps** - [x] Tighten API semantics. - [x] ~I'm not super happy with the resultKey API, and wonder if we can further hide it. Maybe something involving exposing the backstack record via CompositionLocal?~ Think I got a good solution for this! - [x] More docs (namely site docs, pending code review) - [x] More tests **Open questions** - [x] ~Can we hide `resultKey` from the navigator API? Maybe expose the underlying record directly via `peek()` and bypass the navigator intermediary.~ - Settled for exposing on the backstack but not in the navigator. Feels like a good middle ground, as the backstack/record API is lower level and something a navigator just utilizes under the hood. - This revealed some issues with `FakeNavigator`, should we move it to just `ArrayDeque` for everything it records rather than `Turbine`? - Should we error if this is called with no backstack present, or gracefully fall back to a navigator? My feeling is the latter, but worry about silent failures. One tricky thing is this effectively hands navigation access potentially to content areas that the user may not want to offer. Maybe we need to make a `NonNavigableContent { }` block to undo this? - We have some inconsistencies around whether it's possible for a backstack to be empty or not. Technically we allow it, but we almost always treat that as an exceptional situation. Should we codify that? - Should we make a generic `ResultingScreen`? Could this help make returning results more type-safe too? - ~Is `GoToNavigator` the right abstraction? My thinking was it could be nice for indirection (i.e. `val navigator = if (canDoResults) rememberAnsweringNavigator(...) else realNavigator`).~ - Ended up being required for the new impl. Naming could maybe be improved though. --- CHANGELOG.md | 120 +++++- .../com/slack/circuit/backstack/BackStack.kt | 32 +- .../circuit/backstack/SaveableBackStack.kt | 91 ++++- ...ateRegistryBackStackRecordLocalProvider.kt | 7 +- circuit-foundation/build.gradle.kts | 6 +- .../circuit/foundation/Navigator.android.kt | 8 +- ...vigableCircuitRetainedStateTestActivity.kt | 6 +- ...igableCircuitViewModelStateTestActivity.kt | 6 +- .../NavigableCircuitRetainedStateTest.kt | 12 +- .../NavigableCircuitSaveableStateTest.kt | 6 +- .../slack/circuit/foundation/NavigatorTest.kt | 18 +- .../foundation/ProvidedValuesLifetimeTest.kt | 8 +- .../circuit/foundation/AnsweringNavigator.kt | 134 ++++++ .../com/slack/circuit/foundation/Circuit.kt | 4 +- .../circuit/foundation/CircuitContent.kt | 5 +- .../com/slack/circuit/foundation/NavEvent.kt | 5 +- .../foundation/NavigableCircuitContent.kt | 20 +- .../slack/circuit/foundation/NavigatorImpl.kt | 41 +- .../slack/circuit/foundation/NavResultTest.kt | 383 ++++++++++++++++++ .../androidReleaseRuntimeClasspath.txt | 54 +++ .../dependencies/jvmRuntimeClasspath.txt | 20 + .../runtime/screen/PopResult.android.kt | 8 + .../slack/circuit/runtime/screen/PopResult.kt | 7 + .../circuit/runtime/screen/PopResult.ios.kt | 7 + .../circuit/runtime/screen/PopResult.js.kt | 7 + .../circuit/runtime/screen/PopResult.jvm.kt | 7 + .../androidReleaseRuntimeClasspath.txt | 10 + .../dependencies/jvmRuntimeClasspath.txt | 4 + circuit-runtime/build.gradle.kts | 1 + .../androidReleaseRuntimeClasspath.txt | 54 +++ .../dependencies/jvmRuntimeClasspath.txt | 20 + .../com/slack/circuit/runtime/Navigator.kt | 17 +- .../com/slack/circuit/test/FakeNavigator.kt | 38 +- .../dependencies/releaseRuntimeClasspath.txt | 53 +++ .../circuitx/effects/ImpressionEffect.kt | 4 +- .../GestureNavigationRetainedStateTest.kt | 6 +- .../GestureNavigationSaveableStateTest.kt | 6 +- .../circuitx/overlays/FullScreenOverlay.kt | 5 +- docs/circuitx.md | 4 +- docs/navigation.md | 46 ++- docs/overlays.md | 16 + docs/tutorial.md | 2 +- gradle/libs.versions.toml | 2 + .../counter/desktop/DesktopCounterCircuit.kt | 2 +- .../com/slack/circuit/star/MainActivity.kt | 6 +- .../com/slack/circuit/star/home/HomeScreen.kt | 7 +- .../circuit/star/petlist/FiltersScreen.kt | 82 ++++ .../circuit/star/petlist/PetListScreen.kt | 51 ++- .../kotlin/com/slack/circuit/star/main.kt | 2 +- .../circuit/tutorial/impl/MainActivityImpl.kt | 2 +- .../com/slack/circuit/tutorial/impl/main.kt | 2 +- 51 files changed, 1303 insertions(+), 161 deletions(-) create mode 100644 circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/AnsweringNavigator.kt create mode 100644 circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt create mode 100644 circuit-runtime-screen/src/androidMain/kotlin/com/slack/circuit/runtime/screen/PopResult.android.kt create mode 100644 circuit-runtime-screen/src/commonMain/kotlin/com/slack/circuit/runtime/screen/PopResult.kt create mode 100644 circuit-runtime-screen/src/iosMain/kotlin/com/slack/circuit/runtime/screen/PopResult.ios.kt create mode 100644 circuit-runtime-screen/src/jsMain/kotlin/com/slack/circuit/runtime/screen/PopResult.js.kt create mode 100644 circuit-runtime-screen/src/jvmMain/kotlin/com/slack/circuit/runtime/screen/PopResult.jvm.kt create mode 100644 samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/FiltersScreen.kt diff --git a/CHANGELOG.md b/CHANGELOG.md index 750ec28cf..48e97b4a0 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -1,6 +1,98 @@ Changelog ========= +**Unreleased** +-------------- + +### Navigation with results + +This release introduces support for inter-screen navigation results. This is useful for scenarios where you want to pass data back to the previous screen after a navigation event, such as when a user selects an item from a list and you want to pass the selected item back to the previous screen. + +```kotlin +var photoUrl by remember { mutableStateOf(null) } +val takePhotoNavigator = rememberAnsweringNavigator(navigator) { result -> + photoUrl = result.url +} + +// Elsewhere +takePhotoNavigator.goTo(TakePhotoScreen) + +// In TakePhotoScreen.kt +data object TakePhotoScreen : Screen { + @Parcelize + data class Result(val url: String) : PopResult +} + +class TakePhotoPresenter { + @Composable fun present(): State { + // ... + navigator.pop(result = TakePhotoScreen.Result(newFilters)) + } +} +``` + +See the [new section in the navigation docs](https://slackhq.github.io/circuit/navigation/#results) for more details, as well as [updates to the Overlays](https://slackhq.github.io/circuit/overlays/overlays/#overlay-vs-popresult) docs that help explain when to use an `Overlay` vs navigating to a `Screen` with a result. + +### Support for multiple back stacks + +This release introduces support for saving/restoring navigation state on root resets (aka multi back stack). This is useful for scenarios where you want to reset the back stack to a new root but still want to retain the previous back stack's state, such as an app UI that has a persistent bottom navigation bar with different back stacks for each tab. + +This works by adding two new optional `saveState` and `restoreState` parameters to `Navigator.resetRoot()`. + +```kotlin +navigator.resetRoot(HomeNavTab1, saveState = true, restoreState = true) +// User navigates to a details screen +navigator.push(EntityDetails(id = foo)) +// Later, user clicks on a bottom navigation item +navigator.resetRoot(HomeNavTab2, saveState = true, restoreState = true) +// Later, user switches back to the first navigation item +navigator.resetRoot(HomeNavTab1, saveState = true, restoreState = true) +// The existing back stack is restored, and EntityDetails(id = foo) will be top of +// the back stack +``` + +There are times when saving and restoring the back stack may not be appropriate, so use this feature only when it makes sense. A common example where it probably does not make sense is launching screens which define a UX flow which has a defined completion, such as onboarding. + +### New Tutorial! + +On top of Circuit's existing docs, we've added a new tutorial to help you get started with Circuit. It's a step-by-step guide that walks you through building a simple inbox app using Circuit, intended to serve as a sort of small code lab that one could do in 1-2 hours. Check it out [here](https://slackhq.github.io/circuit/tutorial/). + +### Overlay Improvements + +- **New**: Promote `AlertDialogOverlay`, `BasicAlertDialogOverlay`, and `BasicDialogOverlay` to `circuitx-overlay`. +- **New**: Add `OverlayEffect` to `circuit-overlay`. This offers a simple composable effect to show an overlay and await a result. + ```kotlin + OverlayEffect(state) { host -> + val result = host.show(AlertDialogOverlay(...)) + // Do something with the result + } + ``` +- Add `OverlayState` and `LocalOverlayState` to `circuit-overlay`. This allows you to check the current overlay state (`UNAVAILABLE`, `HIDDEN`, or `SHOWING`). +- Mark `OverlayHost` as `@ReadOnlyOverlayApi` to indicate that it's not intended for direct implementation by consumers. +- Mark `Overlay` as `@Stable`. + +### Misc + +- Make `NavEvent.screen` public. +- Change `Navigator.popUntil` to be exclusive. +- Add `Navigator.peek()` to peek the top screen of the back stack. +- Add `Navigator.peekBackStack()` to peek the top screen of the back stack. +- Align spelling of back stack parameters across all APIs to `backStack`. +- Refreshed iOS Counter sample using SPM and SKIE. +- Convert STAR sample to KMP. Starting with Android and Desktop. +- Fix baseline profiles packaging. Due to a bug in the baseline profile plugin, we were not packaging the baseline profiles in the artifacts. This is now fixed. +- Mark `BackStack.Record` as `@Stable`. +- Update the default decoration to better match the android 34 transitions. +- Update androidx.lifecycle to `2.7.0`. +- Update to compose multiplatform to `1.5.12`. +- Update compose-compiler to `1.5.8`. +- Update AtomicFu to `0.23.2`. +- Update Anvil to `2.4.9`. +- Update KotlinPoet to `1.16.0`. +- Compile against KSP `1.9.22-1.0.17`. + +Special thanks to [@milis92](https://github.com/milis92), [@ChrisBanes](https://github.com/ChrisBanes), and [@vulpeszerda](https://github.com/vulpeszerda) for contributing to this release! + 0.18.2 ------ @@ -56,7 +148,7 @@ Special thanks to [@alexvanyo](https://github.com/alexvanyo) for contributing to _2023-11-28_ -## **New**: circuitx-effects artifact +### **New**: circuitx-effects artifact The circuitx-effects artifact provides some effects for use with logging/analytics. These effects are typically used in Circuit presenters for tracking `impressions` and will run only once until @@ -70,11 +162,11 @@ dependencies { Docs: https://slackhq.github.io/circuit/circuitx/#effects -## **New**: Add codegen mode to support both Anvil and Hilt +### **New**: Add codegen mode to support both Anvil and Hilt Circuit's code gen artifact now supports generating for Hilt projects. See the docs for usage instructions: https://slackhq.github.io/circuit/code-gen/ -## Misc +### Misc - Decompose various `CircuitContent` internals like `rememberPresenter()`, `rememberUi`, etc for reuse. - Make `CircuitContent()` overload that accepts a pre-constructed presenter/ui parameters public to allow for more control over content. @@ -124,7 +216,7 @@ _2023-11-01_ _2023-09-20_ -## **New**: Allow retained state to be retained whilst UIs and Presenters are on the back stack. +### **New**: Allow retained state to be retained whilst UIs and Presenters are on the back stack. Originally, `circuit-retained` was implemented as a solution for preserving arbitrary data across configuration changes on Android. With this change it now also acts as a solution for retaining state _across the back stack_, meaning that traversing the backstack no longer causes restored contents to re-run through their empty states anymore. @@ -134,7 +226,7 @@ Note that `circuit-retained` is still optional for now, but we are considering m Full details + demos can be found in https://github.com/slackhq/circuit/pull/888. Big thank you to [@chrisbanes](https://github.com/chrisbanes) for the implementation! -## Other changes +### Other changes - **New**: Add `collectAsRetainedState` utility function, analogous to `collectAsState` but will retain the previous value across configuration changes and back stack entries. - **Enhancement**: Optimize `rememberRetained` with a port of the analogous optimization in `rememberSaveable`. See [#850](https://github.com/slackhq/circuit/pull/850). @@ -310,7 +402,7 @@ _2023-06-02_ _2023-05-26_ -## Preliminary support for iOS targets +### Preliminary support for iOS targets Following the announcement of Compose for iOS alpha, this release adds `ios()` and `iosSimulatorArm64()` targets for the Circuit core artifacts. Note that this support doesn't come with any extra APIs yet for iOS, just basic target support only. We're not super sure what direction we want to take with iOS, but encourage others to try it out and let us know what patterns you like. We have updated the Counter sample to include an iOS app target as well, using Circuit for the presentation layer only and SwiftUI for the UI. @@ -318,7 +410,7 @@ Note that circuit-codegen and circuit-codegen-annotations don't support these ye More details can be found in the PR: https://github.com/slackhq/circuit/pull/583 -## Misc +### Misc - Use new baseline profile plugin for generating baseline profiles. - Misc sample app fixes and updates. @@ -329,7 +421,7 @@ More details can be found in the PR: https://github.com/slackhq/circuit/pull/583 Note that we unintentionally used an experimental animation API for `NavigatorDefaults.DefaultDecotration`, which may cause R8 issues if you use a newer, experimental version of Compose animation. To avoid issues, copy the animation code and use your own copy compiled against the newest animation APIs. We'll fix this after Compose 1.5.0 is released. -## Dependency updates +### Dependency updates ``` androidx.activity -> 1.7.2 @@ -346,7 +438,7 @@ turbine -> 0.13.0 _2023-04-06_ -## [Core] Split up core artifacts. +### [Core] Split up core artifacts. - `circuit-runtime`: common runtime components like `Screen`, `Navigator`, etc. - `circuit-runtime-presenter`: the `Presenter` API, depends on `circuit-runtime`. - `circuit-runtime-ui`: the `Ui` API, depends on `circuit-runtime`. @@ -356,7 +448,7 @@ The goal in this is to allow more granular dependencies and easier building agai Where we think this could really shine is in multiplatform projects where Circuit's UI APIs may be more or less abstracted away in service of using native UI, like in iOS. -### `circuit-runtime` artifact +#### `circuit-runtime` artifact | Before | After | |----------------------------------|------------------------------------------| | com.slack.circuit.CircuitContext | com.slack.circuit.runtime.CircuitContext | @@ -365,17 +457,17 @@ Where we think this could really shine is in multiplatform projects where Circui | com.slack.circuit.Navigator | com.slack.circuit.runtime.Navigator | | com.slack.circuit.Screen | com.slack.circuit.runtime.Screen | -### `circuit-runtime-presenter` artifact +#### `circuit-runtime-presenter` artifact | Before | After | |-----------------------------|-----------------------------------------------| | com.slack.circuit.Presenter | com.slack.circuit.runtime.presenter.Presenter | -### `circuit-runtime-ui` artifact +#### `circuit-runtime-ui` artifact | Before | After | |----------------------|----------------------------------------| | com.slack.circuit.Ui | com.slack.circuit.runtime.presenter.Ui | -### `circuit-foundation` artifact +#### `circuit-foundation` artifact | Before | After | |--------------------------------------------|-------------------------------------------------------| | com.slack.circuit.CircuitCompositionLocals | com.slack.circuit.foundation.CircuitCompositionLocals | @@ -390,7 +482,7 @@ Where we think this could really shine is in multiplatform projects where Circui | com.slack.circuit.push | com.slack.circuit.foundation.push | | com.slack.circuit.screen | com.slack.circuit.foundation.screen | -## More Highlights +### More Highlights - [Core] Remove Android-specific `NavigableCircuitContent` and just use common one. Back handling still runs through `BackHandler`, but is now configured in `rememberCircuitNavigator`. - [Core] Add `defaultNavDecoration` to `CircuitConfig` to allow for customizing the default `NavDecoration` used in `NavigableCircuitContent`. - [Core] Mark `CircuitUiState` as `@Stable` instead of `@Immutable`. diff --git a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt index 13806fdf7..f6bbdf7eb 100644 --- a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt +++ b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt @@ -17,6 +17,7 @@ package com.slack.circuit.backstack import androidx.compose.runtime.Stable import com.slack.circuit.backstack.BackStack.Record +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen /** @@ -31,20 +32,33 @@ public interface BackStack : Iterable { /** The top-most record in the [BackStack], or `null` if the [BackStack] is empty. */ public val topRecord: R? - /** Push a new [Record] onto the back stack. The new record will become the top of the stack. */ - public fun push(record: R) + /** + * Push a new [Record] onto the back stack. The new record will become the top of the stack. + * + * @param record The record to push onto the stack. + * @param resultKey An optional key that would be used to tag a result produced by this record. + * The previous record on the stack will receive this key. + */ + public fun push(record: R, resultKey: String? = null) /** * Push a new [Screen] onto the back stack. This will be enveloped in a [Record] and the new * record will become the top of the stack. + * + * @param screen The screen to push onto the stack. + * @param resultKey An optional key that would be used to tag a result produced by this record. + * The previous record on the stack will receive this key. */ - public fun push(screen: Screen) + public fun push(screen: Screen, resultKey: String? = null) /** * Attempt to pop the top item off of the back stack, returning the popped [Record] if popping was * successful or `null` if no entry was popped. + * + * @param result An optional [PopResult] that will be passed to previous record on the stack after + * this record is removed. */ - public fun pop(): R? + public fun pop(result: PopResult? = null): R? /** * Pop records off the top of the backstack until one is found that matches the given predicate. @@ -71,6 +85,7 @@ public interface BackStack : Iterable { */ public fun restoreState(screen: Screen): Boolean + @Stable public interface Record { /** * A value that identifies this record uniquely, even if it shares the same [screen] with @@ -83,6 +98,15 @@ public interface BackStack : Iterable { /** The [Screen] that should present this record. */ public val screen: Screen + + /** + * Awaits a [PopResult] produced by the record that previously sat on top of the stack above + * this one. Returns null if no result was produced. + * + * @param key The key that was used to tag the result. This ensures that only the caller that + * requested a result when pushing the previous record can receive it. + */ + public suspend fun awaitResult(key: String): PopResult? } } diff --git a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt index 856dd84c7..b7ec0c194 100644 --- a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt +++ b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt @@ -18,9 +18,15 @@ package com.slack.circuit.backstack import androidx.compose.runtime.Composable import androidx.compose.runtime.mutableStateListOf import androidx.compose.runtime.saveable.Saver +import androidx.compose.runtime.saveable.listSaver +import androidx.compose.runtime.saveable.mapSaver import androidx.compose.runtime.saveable.rememberSaveable import com.benasher44.uuid.uuid4 +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen +import kotlinx.coroutines.CompletableDeferred +import kotlinx.coroutines.channels.BufferOverflow +import kotlinx.coroutines.channels.Channel @Composable public fun rememberSaveableBackStack(init: SaveableBackStack.() -> Unit): SaveableBackStack = @@ -48,19 +54,28 @@ public class SaveableBackStack : BackStack { public override val topRecord: Record? get() = entryList.firstOrNull() - public override fun push(screen: Screen) { - push(screen, emptyMap()) + public override fun push(screen: Screen, resultKey: String?) { + return push(screen, emptyMap(), resultKey) } - public fun push(screen: Screen, args: Map) { - push(Record(screen, args)) + public fun push(screen: Screen, args: Map, resultKey: String?) { + push(Record(screen, args), resultKey) } - public override fun push(record: Record) { + public override fun push(record: Record, resultKey: String?) { entryList.add(0, record) + // Clear the cached pending result from the previous top record + entryList.getOrNull(1)?.apply { resultKey?.let(::prepareForResult) } } - override fun pop(): Record? = entryList.removeFirstOrNull() + override fun pop(result: PopResult?): Record? { + val popped = entryList.removeFirstOrNull() + if (result != null) { + // Send the pending result to our new top record, but only if it's expecting one + topRecord?.apply { if (expectingResult()) sendResult(result) } + } + return popped + } override fun saveState() { val rootScreen = entryList.last().screen @@ -84,23 +99,63 @@ public class SaveableBackStack : BackStack { val args: Map = emptyMap(), override val key: String = uuid4().toString(), ) : BackStack.Record { + /** + * A [Channel] of pending results. Note we use this instead of a [CompletableDeferred] because + * we may push and pop back to a given record multiple times, and thus need to be able to push + * and receive multiple results. We use [BufferOverflow.DROP_OLDEST] to ensure we only care + * about the most recent result. + */ + private val resultChannel = + Channel(capacity = 1, onBufferOverflow = BufferOverflow.DROP_OLDEST) + + private var resultKey: String? = null + + internal fun expectingResult(): Boolean = resultKey != null + + internal fun prepareForResult(key: String) { + resultKey = key + readResult() + } + + private fun readResult() = resultChannel.tryReceive().getOrNull() + + internal fun sendResult(result: PopResult) { + resultChannel.trySend(result) + } + + override suspend fun awaitResult(key: String): PopResult? { + return if (key == resultKey) { + resultKey = null + resultChannel.receive() + } else { + null + } + } + internal companion object { - val Saver: Saver> = - Saver( + val Saver: Saver = + mapSaver( save = { value -> - buildList { - add(value.screen) - add(value.args) - add(value.key) + buildMap { + put("screen", value.screen) + put("args", value.args) + put("key", value.key) + put("resultKey", value.resultKey) + put("result", value.readResult()) } }, - restore = { list -> + restore = { map -> @Suppress("UNCHECKED_CAST") Record( - screen = list[0] as Screen, - args = list[1] as Map, - key = list[2] as String, - ) + screen = map["screen"] as Screen, + args = map["args"] as Map, + key = map["key"] as String, + ) + .apply { + // NOTE order matters here, prepareForResult() clears the buffer + (map["resultKey"] as? String?)?.let(::prepareForResult) + (map["result"] as? PopResult?)?.let(::sendResult) + } }, ) } @@ -108,7 +163,7 @@ public class SaveableBackStack : BackStack { internal companion object { val Saver = - Saver>>( + listSaver>( save = { value -> buildList { with(Record.Saver) { diff --git a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider.kt b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider.kt index 15140639e..7ca7695fb 100644 --- a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider.kt +++ b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider.kt @@ -25,6 +25,7 @@ import androidx.compose.runtime.remember import androidx.compose.runtime.saveable.LocalSaveableStateRegistry import androidx.compose.runtime.saveable.SaveableStateRegistry import androidx.compose.runtime.saveable.Saver +import androidx.compose.runtime.saveable.mapSaver import androidx.compose.runtime.saveable.rememberSaveable import androidx.compose.runtime.setValue import androidx.compose.runtime.snapshots.SnapshotStateMap @@ -143,11 +144,13 @@ private class BackStackRecordLocalSaveableStateRegistry( companion object { val Saver = - Saver>>( + mapSaver( save = { value -> value.performSave() }, restore = { value -> BackStackRecordLocalSaveableStateRegistry( - mutableStateMapOf>().apply { putAll(value) } + mutableStateMapOf>().apply { + @Suppress("UNCHECKED_CAST") putAll(value as Map>) + } ) }, ) diff --git a/circuit-foundation/build.gradle.kts b/circuit-foundation/build.gradle.kts index 0cbaaa54a..c0c41c03d 100644 --- a/circuit-foundation/build.gradle.kts +++ b/circuit-foundation/build.gradle.kts @@ -39,6 +39,7 @@ kotlin { api(projects.circuitRuntimeUi) api(projects.circuitRetained) api(libs.compose.ui) + implementation(libs.uuid) } } val androidMain by getting { @@ -70,7 +71,10 @@ kotlin { } val jvmTest by getting { dependsOn(commonJvmTest) - dependencies { implementation(compose.desktop.currentOs) } + dependencies { + implementation(compose.desktop.currentOs) + implementation(libs.picnic) + } } val androidUnitTest by getting { dependsOn(commonJvmTest) diff --git a/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt b/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt index f026b612c..bb1ec8bee 100644 --- a/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt +++ b/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt @@ -13,19 +13,19 @@ import com.slack.circuit.runtime.Navigator * Returns a new [Navigator] for navigating within [CircuitContents][CircuitContent]. Delegates * onRootPop to the [LocalOnBackPressedDispatcherOwner]. * - * @param backstack The backing [BackStack] to navigate. + * @param backStack The backing [BackStack] to navigate. * @param enableBackHandler Indicates whether or not [Navigator.pop] should be called by the system * back handler. Defaults to true. * @see NavigableCircuitContent */ @Composable public fun rememberCircuitNavigator( - backstack: BackStack, + backStack: BackStack, enableBackHandler: Boolean = true, ): Navigator { val navigator = - rememberCircuitNavigator(backstack = backstack, onRootPop = backDispatcherRootPop()) - BackHandler(enabled = enableBackHandler && backstack.size > 1, onBack = navigator::pop) + rememberCircuitNavigator(backStack = backStack, onRootPop = backDispatcherRootPop()) + BackHandler(enabled = enableBackHandler && backStack.size > 1, onBack = navigator::pop) return navigator } diff --git a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt index 2a78b2874..98128e20b 100644 --- a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt +++ b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt @@ -19,13 +19,13 @@ class NavigableCircuitRetainedStateTestActivity : ComponentActivity() { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) - NavigableCircuitContent(navigator = navigator, backstack = backstack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } } diff --git a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt index 1bdc3fdb6..96720302c 100644 --- a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt +++ b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt @@ -19,13 +19,13 @@ class NavigableCircuitViewModelStateTestActivity : ComponentActivity() { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) - NavigableCircuitContent(navigator = navigator, backstack = backstack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } } diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt index a25aa02a2..d5e51bec4 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt @@ -44,13 +44,13 @@ class NavigableCircuitRetainedStateTest { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) - NavigableCircuitContent(navigator = navigator, backstack = backstack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } @@ -115,13 +115,13 @@ class NavigableCircuitRetainedStateTest { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.RootAlpha) } + val backStack = rememberSaveableBackStack { push(TestScreen.RootAlpha) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) - NavigableCircuitContent(navigator = navigator, backstack = backstack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt index f8661a9e5..446c28ab8 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt @@ -38,13 +38,13 @@ class NavigableCircuitSaveableStateTest { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) - NavigableCircuitContent(navigator = navigator, backstack = backstack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt index fc1e29ca6..60faaebc9 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt @@ -23,29 +23,29 @@ import org.junit.runner.RunWith class NavigatorTest { @Test fun errorWhenBackstackIsEmpty() { - val backstack = SaveableBackStack() - val t = assertFailsWith { NavigatorImpl(backstack) {} } + val backStack = SaveableBackStack() + val t = assertFailsWith { NavigatorImpl(backStack) {} } assertThat(t).hasMessageThat().contains("Backstack size must not be empty.") } @Test fun popAtRoot() { - val backstack = SaveableBackStack() - backstack.push(TestScreen) - backstack.push(TestScreen) + val backStack = SaveableBackStack() + backStack.push(TestScreen) + backStack.push(TestScreen) var onRootPop = 0 - val navigator = NavigatorImpl(backstack) { onRootPop++ } + val navigator = NavigatorImpl(backStack) { onRootPop++ } - assertThat(backstack).hasSize(2) + assertThat(backStack).hasSize(2) assertThat(onRootPop).isEqualTo(0) navigator.pop() - assertThat(backstack).hasSize(1) + assertThat(backStack).hasSize(1) assertThat(onRootPop).isEqualTo(0) navigator.pop() - assertThat(backstack).hasSize(1) + assertThat(backStack).hasSize(1) assertThat(onRootPop).isEqualTo(1) } diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt index 7b79b4f24..d2f3eb4c9 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt @@ -49,18 +49,18 @@ class ProvidedValuesLifetimeTest { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) NavigableCircuitContent( navigator = navigator, - backstack = backstack, + backStack = backStack, providedValues = providedValuesForBackStack( - backStack = backstack, + backStack = backStack, stackLocalProviders = persistentListOf(TestBackStackRecordLocalProvider), ), ) diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/AnsweringNavigator.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/AnsweringNavigator.kt new file mode 100644 index 000000000..019f88af7 --- /dev/null +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/AnsweringNavigator.kt @@ -0,0 +1,134 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.foundation + +import androidx.compose.runtime.Composable +import androidx.compose.runtime.LaunchedEffect +import androidx.compose.runtime.derivedStateOf +import androidx.compose.runtime.getValue +import androidx.compose.runtime.mutableStateOf +import androidx.compose.runtime.remember +import androidx.compose.runtime.rememberUpdatedState +import androidx.compose.runtime.saveable.rememberSaveable +import androidx.compose.runtime.setValue +import com.benasher44.uuid.uuid4 +import com.slack.circuit.backstack.BackStack +import com.slack.circuit.runtime.GoToNavigator +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.screen.PopResult +import com.slack.circuit.runtime.screen.Screen +import kotlin.reflect.KClass +import kotlinx.coroutines.CoroutineScope + +/** + * Returns whether or not answering navigation is available. This is essentially a proxy for whether + * or not this composition is running within a [NavigableCircuitContent]. + */ +@Composable public fun answeringNavigationAvailable(): Boolean = LocalBackStack.current != null + +/** + * A reified version of [rememberAnsweringNavigator]. See documented overloads of this function for + * more information. + */ +@Composable +public inline fun rememberAnsweringNavigator( + fallbackNavigator: Navigator, + noinline block: suspend CoroutineScope.(result: T) -> Unit, +): GoToNavigator = rememberAnsweringNavigator(fallbackNavigator, T::class, block) + +/** + * Returns a [GoToNavigator] that answers with the given [resultType] or defaults to + * [fallbackNavigator] if no back stack is available to pass results through. + */ +@Composable +public fun rememberAnsweringNavigator( + fallbackNavigator: Navigator, + resultType: KClass, + block: suspend CoroutineScope.(result: T) -> Unit, +): GoToNavigator { + val backStack = LocalBackStack.current ?: return fallbackNavigator + return rememberAnsweringNavigator(backStack, resultType, block) +} + +/** + * A reified version of [rememberAnsweringNavigator]. See documented overloads of this function for + * more information. + */ +@Composable +public inline fun rememberAnsweringNavigator( + backStack: BackStack, + noinline block: suspend CoroutineScope.(result: T) -> Unit, +): GoToNavigator { + return rememberAnsweringNavigator(backStack, T::class, block) +} + +/** + * Returns a [GoToNavigator] that answers with the given [resultType] using the given [backStack]. + * + * Handling of the result type [T] should be handled in the [block] parameter and is guaranteed to + * only be called _at most_ once. It may never be called if the navigated screen never pops with a + * result (of equivalent type) back. + * + * Note that [resultType] is a simple instance check, so subtypes may also be valid answers. + * + * ## Example + * + * ```kotlin + * val pickPhotoNavigator = rememberAnsweringNavigator(backStack, PickPhotoScreen.Result::class) { result: PickPhotoScreen.Result -> + * // Do something with the result! + * } + * + * return State(...) { event -> + * when (event) { + * is PickPhoto -> pickPhotoNavigator.goTo(PickPhotoScreen) + * } + * } + * + * // In PickPhotoScreen + * navigator.pop(PickPhotoScreen.Result(...)) + * ``` + */ +@Composable +public fun rememberAnsweringNavigator( + backStack: BackStack, + resultType: KClass, + block: suspend CoroutineScope.(result: T) -> Unit, +): GoToNavigator { + val currentBackStack by rememberUpdatedState(backStack) + val currentResultType by rememberUpdatedState(resultType) + + // Top screen at the start, so we can ensure we only collect the result if + // we've returned to this screen + val initialRecordKey = rememberSaveable { + currentBackStack.topRecord?.key ?: error("Navigator must have a top screen at start.") + } + + // Key for the resultKey, so we can track who owns this requested result + val key = rememberSaveable { uuid4().toString() } + + // Current top record of the navigator + val currentTopRecordKey by remember { derivedStateOf { currentBackStack.topRecord!!.key } } + + // Track whether we've actually gone to the next record yet + var launched by rememberSaveable { mutableStateOf(false) } + + // Collect the result if we've launched and now returned to the initial record + if (launched && currentTopRecordKey == initialRecordKey) { + LaunchedEffect(key) { + val result = currentBackStack.topRecord!!.awaitResult(key) ?: return@LaunchedEffect + launched = false + if (currentResultType.isInstance(result)) { + @Suppress("UNCHECKED_CAST") block(result as T) + } + } + } + val answeringNavigator = remember { + object : GoToNavigator { + override fun goTo(screen: Screen) { + currentBackStack.push(screen, key) + launched = true + } + } + } + return answeringNavigator +} diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt index fc0ea9f19..5a01d3d4e 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt @@ -52,7 +52,7 @@ import com.slack.circuit.runtime.ui.ui * If using navigation, use `NavigableCircuitContent` instead. * * ```kotlin - * val backstack = rememberSaveableBackStack { push(AddFavoritesScreen()) } + * val backStack = rememberSaveableBackStack { push(AddFavoritesScreen()) } * val navigator = rememberCircuitNavigator(backstack, ::onBackPressed) * CircuitCompositionLocals(circuit) { * NavigableCircuitContent(navigator, backstack) @@ -165,7 +165,7 @@ public class Circuit private constructor(builder: Builder) { public inline fun addPresenter( crossinline factory: - (screen: Screen, navigator: Navigator, context: CircuitContext) -> Presenter + (screen: S, navigator: Navigator, context: CircuitContext) -> Presenter ): Builder = apply { addPresenterFactory { screen, navigator, context -> if (screen is S) { diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt index 7569aaf50..6242343b4 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt @@ -14,6 +14,7 @@ import com.slack.circuit.runtime.CircuitUiState import com.slack.circuit.runtime.InternalCircuitApi import com.slack.circuit.runtime.Navigator import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen import com.slack.circuit.runtime.ui.Ui @@ -53,8 +54,8 @@ public fun CircuitContent( return emptyList() } - override fun pop(): Screen? { - onNavEvent(NavEvent.Pop) + override fun pop(result: PopResult?): Screen? { + onNavEvent(NavEvent.Pop(result)) return null } diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavEvent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavEvent.kt index 7deab2727..5f39c0886 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavEvent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavEvent.kt @@ -5,6 +5,7 @@ package com.slack.circuit.foundation import com.slack.circuit.runtime.CircuitUiEvent import com.slack.circuit.runtime.Navigator import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen /** @@ -13,7 +14,7 @@ import com.slack.circuit.runtime.screen.Screen */ public fun Navigator.onNavEvent(event: NavEvent) { when (event) { - NavEvent.Pop -> pop() + is NavEvent.Pop -> pop(event.result) is NavEvent.GoTo -> goTo(event.screen) is NavEvent.ResetRoot -> resetRoot(event.newRoot) } @@ -22,7 +23,7 @@ public fun Navigator.onNavEvent(event: NavEvent) { /** A sealed navigation interface intended to be used when making a navigation callback. */ public sealed interface NavEvent : CircuitUiEvent { /** Corresponds to [Navigator.pop]. */ - public data object Pop : NavEvent + public data class Pop(val result: PopResult? = null) : NavEvent /** Corresponds to [Navigator.goTo]. */ public data class GoTo(val screen: Screen) : NavEvent diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt index eeaa51b85..3de8f99a3 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt @@ -18,6 +18,7 @@ import androidx.compose.animation.togetherWith import androidx.compose.runtime.Composable import androidx.compose.runtime.CompositionLocalProvider import androidx.compose.runtime.Immutable +import androidx.compose.runtime.compositionLocalOf import androidx.compose.runtime.currentCompositeKeyHash import androidx.compose.runtime.getValue import androidx.compose.runtime.movableContentOf @@ -46,22 +47,22 @@ import kotlinx.collections.immutable.toImmutableList @Composable public fun NavigableCircuitContent( navigator: Navigator, - backstack: BackStack, + backStack: BackStack, modifier: Modifier = Modifier, circuit: Circuit = requireNotNull(LocalCircuit.current), - providedValues: ImmutableMap = providedValuesForBackStack(backstack), + providedValues: ImmutableMap = providedValuesForBackStack(backStack), decoration: NavDecoration = circuit.defaultNavDecoration, unavailableRoute: (@Composable (screen: Screen, modifier: Modifier) -> Unit) = circuit.onUnavailableContent, ) { val activeContentProviders = - backstack.buildCircuitContentProviders( + backStack.buildCircuitContentProviders( navigator = navigator, circuit = circuit, unavailableRoute = unavailableRoute, ) - if (backstack.isEmpty) return + if (backStack.isEmpty) return /* * We store the RetainedStateRegistries for each back stack entry into an 'navigation content' @@ -99,12 +100,12 @@ public fun NavigableCircuitContent( val outerRegistry = rememberRetained(key = outerKey) { RetainedStateRegistry() } CompositionLocalProvider(LocalRetainedStateRegistry provides outerRegistry) { - decoration.DecoratedContent(activeContentProviders, backstack.size, modifier) { provider -> + decoration.DecoratedContent(activeContentProviders, backStack.size, modifier) { provider -> // We retain the record's retained state registry for as long as the back stack // contains the record val record = provider.record val recordInBackStackRetainChecker = - remember(backstack, record) { CanRetainChecker { record in backstack } } + remember(backStack, record) { CanRetainChecker { record in backStack } } CompositionLocalProvider(LocalCanRetainChecker provides recordInBackStackRetainChecker) { // Remember the `providedValues` lookup because this composition can live longer than @@ -120,6 +121,7 @@ public fun NavigableCircuitContent( CompositionLocalProvider( LocalRetainedStateRegistry provides recordRetainedStateRegistry, LocalCanRetainChecker provides CanRetainChecker.Always, + LocalBackStack provides backStack, *providedLocals, ) { provider.content(record) @@ -316,3 +318,9 @@ public object NavigatorDefaults { } } } + +/** + * Internal API to access the [BackStack] from within a [CircuitContent] or + * [rememberAnsweringNavigator] composable, useful for cases where we create nested nav handling. + */ +internal val LocalBackStack = compositionLocalOf?> { null } diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt index 58773f3d7..027c6a329 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt @@ -10,61 +10,64 @@ import com.slack.circuit.backstack.BackStack.Record import com.slack.circuit.backstack.isAtRoot import com.slack.circuit.backstack.isEmpty import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen /** * Returns a new [Navigator] for navigating within [CircuitContents][CircuitContent]. * - * @param backstack The backing [BackStack] to navigate. + * @param backStack The backing [BackStack] to navigate. * @param onRootPop Invoked when the backstack is at root (size 1) and the user presses the back * button. * @see NavigableCircuitContent */ @Composable public fun rememberCircuitNavigator( - backstack: BackStack, + backStack: BackStack, onRootPop: () -> Unit, ): Navigator { - return remember { NavigatorImpl(backstack, onRootPop) } + return remember { NavigatorImpl(backStack, onRootPop) } } internal class NavigatorImpl( - private val backstack: BackStack, + private val backStack: BackStack, private val onRootPop: () -> Unit, ) : Navigator { init { - check(!backstack.isEmpty) { "Backstack size must not be empty." } + check(!backStack.isEmpty) { "Backstack size must not be empty." } } - override fun goTo(screen: Screen) = backstack.push(screen) + override fun goTo(screen: Screen) { + backStack.push(screen) + } - override fun pop(): Screen? { - if (backstack.isAtRoot) { + override fun pop(result: PopResult?): Screen? { + if (backStack.isAtRoot) { onRootPop() return null } - return backstack.pop()?.screen + return backStack.pop(result)?.screen } - override fun peek(): Screen? = backstack.firstOrNull()?.screen + override fun peek(): Screen? = backStack.firstOrNull()?.screen - override fun peekBackStack(): List = backstack.map { it.screen } + override fun peekBackStack(): List = backStack.map { it.screen } override fun resetRoot(newRoot: Screen, saveState: Boolean, restoreState: Boolean): List { - val currentStack = backstack.map(Record::screen) + val currentStack = backStack.map(Record::screen) // Run this in a mutable snapshot (bit like a transaction) Snapshot.withMutableSnapshot { - if (saveState) backstack.saveState() + if (saveState) backStack.saveState() // Pop everything off the back stack - backstack.popUntil { false } + backStack.popUntil { false } // If we're not restoring state, or the restore didn't work, we need to push the new root // onto the stack - if (!restoreState || !backstack.restoreState(newRoot)) { - backstack.push(newRoot) + if (!restoreState || !backStack.restoreState(newRoot)) { + backStack.push(newRoot) } } @@ -77,19 +80,19 @@ internal class NavigatorImpl( other as NavigatorImpl - if (backstack != other.backstack) return false + if (backStack != other.backStack) return false if (onRootPop != other.onRootPop) return false return true } override fun hashCode(): Int { - var result = backstack.hashCode() + var result = backStack.hashCode() result = 31 * result + onRootPop.hashCode() return result } override fun toString(): String { - return "NavigatorImpl(backstack=$backstack, onRootPop=$onRootPop)" + return "NavigatorImpl(backStack=$backStack, onRootPop=$onRootPop)" } } diff --git a/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt b/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt new file mode 100644 index 000000000..d284f00e4 --- /dev/null +++ b/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt @@ -0,0 +1,383 @@ +// Copyright (C) 2023 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.foundation + +import androidx.compose.foundation.clickable +import androidx.compose.foundation.layout.Column +import androidx.compose.foundation.text.BasicText +import androidx.compose.foundation.text.BasicTextField +import androidx.compose.runtime.Composable +import androidx.compose.runtime.LaunchedEffect +import androidx.compose.runtime.getValue +import androidx.compose.runtime.mutableStateOf +import androidx.compose.runtime.remember +import androidx.compose.runtime.setValue +import androidx.compose.ui.Modifier +import androidx.compose.ui.platform.testTag +import androidx.compose.ui.semantics.SemanticsProperties +import androidx.compose.ui.semantics.getOrNull +import androidx.compose.ui.test.assertTextEquals +import androidx.compose.ui.test.junit4.ComposeContentTestRule +import androidx.compose.ui.test.junit4.createComposeRule +import androidx.compose.ui.test.onNodeWithTag +import androidx.compose.ui.test.performClick +import androidx.compose.ui.test.performTextClearance +import androidx.compose.ui.test.performTextInput +import com.jakewharton.picnic.TextAlignment +import com.jakewharton.picnic.table +import com.slack.circuit.backstack.SaveableBackStack +import com.slack.circuit.backstack.rememberSaveableBackStack +import com.slack.circuit.internal.test.TestContentTags.TAG_GO_NEXT +import com.slack.circuit.internal.test.TestContentTags.TAG_POP +import com.slack.circuit.runtime.CircuitUiEvent +import com.slack.circuit.runtime.CircuitUiState +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.PopResult +import com.slack.circuit.runtime.screen.Screen +import kotlin.test.fail +import org.junit.Rule +import org.junit.Test +import org.junit.runner.RunWith + +private const val TAG_TEXT = "text" +private const val TAG_GO_NEXT_NO_ANSWER = "nextNoAnswer" + +@RunWith(ComposeUiTestRunner::class) +class NavResultTest { + + @get:Rule val composeTestRule = createComposeRule() + + private val circuit = + Circuit.Builder() + .addPresenter { screen, navigator, _ -> + TestResultPresenter(navigator, screen) + } + .addUi { state, modifier -> + TestResultContent(state, modifier) + } + .addPresenter { _, navigator, _ -> + WrapperPresenter(navigator) + } + .addUi { state, modifier -> + WrapperContent(state, modifier) + } + .build() + + @Test + fun simplePushAndPop() { + composeTestRule.run { + setUpTestContent() + + // Push 10 screens up, incrementing the count and passing on its updated value each time + // Then pop 10 screens down, decrementing the count and passing on its updated value each time + // Then do it one more time to make sure we can re-launch from the same screen + onNodeWithTag(TAG_TEXT).assertTextEquals("root") + repeat(2) { + repeat(10) { innerIteration -> goToNext(answer = true, nextCount = innerIteration) } + repeat(10) { innerIteration -> popBack(expectAnswer = true, prevCount = innerIteration) } + } + } + } + + @Test + fun mixedAnswers() { + // Simulate a journey where some screens navigate with answer expectations and some don't + composeTestRule.run { + val backStack = setUpTestContent() + + onNodeWithTag(TAG_TEXT).assertTextEquals("root") + goToNext(answer = true, 0) + goToNext(answer = false, 1) + goToNext(answer = true, 2) + goToNext(answer = false, 3) + dumpState(backStack) + // Pop back once. No answer expected so its value doesn't update + popBack(expectAnswer = false, 2) + dumpState(backStack) + // Pop again. Answer expected this time, incremented 2 + 1 + popBack(expectAnswer = true, 3) + dumpState(backStack) + // Pop again. No answer expected so its value doesn't update + popBack(expectAnswer = false, 0) + dumpState(backStack) + // Last pop. Answer expected, incremented 0 + 1 + popBack(expectAnswer = false, 1) + dumpState(backStack) + } + } + + @Test + fun onlyTheCallerGetsTheResult() { + lateinit var backStackRef: SaveableBackStack + composeTestRule.run { + setContent { + CircuitCompositionLocals(circuit) { + val backStack = rememberSaveableBackStack { + push(WrapperScreen) + backStackRef = this + } + val navigator = + rememberCircuitNavigator( + backStack = backStack, + onRootPop = {}, // no-op for tests + ) + NavigableCircuitContent(navigator = navigator, backStack = backStack) + } + } + + dumpState(backStackRef) + goToNext(answer = true, 0) + dumpState(backStackRef) + popBack(expectAnswer = true, 1) + dumpState(backStackRef) + } + } + + private fun ComposeContentTestRule.setUpTestContent(): SaveableBackStack { + lateinit var returnedStack: SaveableBackStack + setContent { + CircuitCompositionLocals(circuit) { + val backStack = rememberSaveableBackStack { + push(TestResultScreen("root", answer = false)) + returnedStack = this + } + val navigator = + rememberCircuitNavigator( + backStack = backStack, + onRootPop = {}, // no-op for tests + ) + NavigableCircuitContent(navigator = navigator, backStack = backStack) + } + } + return returnedStack + } + + private fun ComposeContentTestRule.goToNext(answer: Boolean, nextCount: Int) { + println("➕ Pushing next from ${nextCount - 1} to $nextCount") + with(onNodeWithTag(TAG_TEXT)) { + performTextClearance() + performTextInput(nextCount.toString()) + } + if (answer) { + onNodeWithTag(TAG_GO_NEXT).performClick() + } else { + onNodeWithTag(TAG_GO_NEXT_NO_ANSWER).performClick() + } + with(onNodeWithTag(TAG_TEXT)) { + // Assert we got the new count on the other side + assertTextEquals(nextCount.toString()) + performTextClearance() + performTextInput((nextCount + 1).toString()) + } + } + + private fun ComposeContentTestRule.popBack(expectAnswer: Boolean, prevCount: Int) { + val incremented = getCurrentText().toInt() + 1 + println("➖ Popping back from $prevCount to ${if (expectAnswer) incremented else prevCount}") + with(onNodeWithTag(TAG_TEXT)) { + performTextClearance() + performTextInput(incremented.toString()) + } + onNodeWithTag(TAG_POP).performClick() + with(onNodeWithTag(TAG_TEXT)) { + try { + if (expectAnswer) { + assertTextEquals(incremented.toString()) + } else { + assertTextEquals(prevCount.toString()) + } + } catch (_: Throwable) { + fail( + "Expected '${if (expectAnswer) incremented else prevCount}', got '${getCurrentText()}'" + ) + } + } + } + + private fun ComposeContentTestRule.getCurrentText(): String { + onNodeWithTag(TAG_TEXT).apply { + val node = fetchSemanticsNode() + val actual = mutableListOf() + node.config.getOrNull(SemanticsProperties.EditableText)?.let { actual.add(it.text) } + node.config.getOrNull(SemanticsProperties.Text)?.let { + actual.addAll(it.map { anStr -> anStr.text }) + } + return actual.first() + } + } + + private fun ComposeContentTestRule.dumpState(backStack: SaveableBackStack) { + val state = buildString { + appendLine("BackStack:") + appendLine(" size: ${backStack.size}") + appendLine(" top: ${backStack.topRecord?.key}") + appendLine(" records:") + // Append the string as a square diagram + val tableString = + table { + cellStyle { + // These options affect the style of all cells contained within the table. + border = true + alignment = TextAlignment.MiddleLeft + } + header { + row { + cellStyle { alignment = TextAlignment.MiddleCenter } + for ((i, record) in backStack.iterator().withIndex()) { + if (i == 0) { + cell("${record.key.take(8)} (top)") + } else { + cell(record.key.take(8)) + } + } + } + } + row { + for ((i, record) in backStack.iterator().withIndex()) { + @Suppress("invisible_member", "invisible_reference") + val stateString = + """ + ${record.screen::class.simpleName} + input=${(record.screen as? TestResultScreen)?.input} + ⬅ expectingResult=${record.expectingResult()} + value=${if (i == 0) getCurrentText() else "undefined"} + """ + .trimIndent() + cell(stateString) + } + } + } + .toString() + appendLine(tableString.prependIndent(" ")) + } + println(state) + } +} + +data class TestResultScreen(val input: String, val answer: Boolean) : Screen { + data class State(val text: String, val eventSink: (Event) -> Unit) : CircuitUiState + + sealed interface Event : CircuitUiEvent { + data class UpdateText(val text: String) : Event + + data object Forward : Event + + data object ForwardNoAnswer : Event + + data object Back : Event + } + + data class Result(val output: String) : PopResult +} + +class TestResultPresenter(private val navigator: Navigator, private val screen: TestResultScreen) : + Presenter { + + @Composable + override fun present(): TestResultScreen.State { + var text by remember { mutableStateOf(screen.input) } + + // See docs on UnscrupulousResultListenerEffect for details on these surrounding error calls + rememberAnsweringNavigator(navigator) { + error("This should never be called") + } + UnscrupulousResultListenerEffect() + + // The real next navigator + val nextNavigator = + rememberAnsweringNavigator(navigator) { result -> + text = result.output + } + + UnscrupulousResultListenerEffect() + rememberAnsweringNavigator(navigator) { + error("This should never be called") + } + + return TestResultScreen.State(text) { event -> + when (event) { + TestResultScreen.Event.Forward -> { + nextNavigator.goTo(TestResultScreen(text, answer = true)) + } + TestResultScreen.Event.Back -> { + if (screen.answer) { + navigator.pop(TestResultScreen.Result(text)) + } else { + navigator.pop() + } + } + is TestResultScreen.Event.UpdateText -> text = event.text + TestResultScreen.Event.ForwardNoAnswer -> { + navigator.goTo(TestResultScreen(text, answer = false)) + } + } + } + } +} + +/** + * A composable that attempts to listen for a result that it should never receive. We pepper these + * around in test presenters to ensure that results are only given to the original callers. + */ +@Composable +fun UnscrupulousResultListenerEffect() { + val record = LocalBackStack.current!!.topRecord!! + LaunchedEffect(Unit) { + record.awaitResult("a key that definitely doesn't match")?.let { + error("This should never be called") + } + } +} + +@Composable +fun TestResultContent(state: TestResultScreen.State, modifier: Modifier = Modifier) { + Column(modifier = modifier) { + BasicTextField( + value = state.text, + onValueChange = { value -> state.eventSink(TestResultScreen.Event.UpdateText(value)) }, + modifier = Modifier.testTag(TAG_TEXT), + ) + + BasicText( + text = "Forward", + modifier = + Modifier.testTag(TAG_GO_NEXT).clickable { state.eventSink(TestResultScreen.Event.Forward) }, + ) + BasicText( + text = "Forward (no answer)", + modifier = + Modifier.testTag(TAG_GO_NEXT_NO_ANSWER).clickable { + state.eventSink(TestResultScreen.Event.ForwardNoAnswer) + }, + ) + BasicText( + text = "Back", + modifier = + Modifier.testTag(TAG_POP).clickable { state.eventSink(TestResultScreen.Event.Back) }, + ) + } +} + +data object WrapperScreen : Screen { + data class State(val navigator: Navigator) : CircuitUiState +} + +class WrapperPresenter(private val navigator: Navigator) : Presenter { + @Composable + override fun present(): WrapperScreen.State { + UnscrupulousResultListenerEffect() + rememberAnsweringNavigator(navigator) { + error("This should never be called") + } + return WrapperScreen.State(navigator) + } +} + +@Composable +fun WrapperContent(state: WrapperScreen.State, modifier: Modifier = Modifier) { + Column(modifier = modifier) { + BasicText(text = "Wrapper") + CircuitContent(screen = TestResultScreen("root", answer = true), navigator = state.navigator) + } +} diff --git a/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt index 72e63e9ea..e41b7c56f 100644 --- a/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt @@ -1,11 +1,65 @@ +androidx.activity:activity-ktx +androidx.activity:activity +androidx.annotation:annotation-experimental +androidx.annotation:annotation-jvm androidx.annotation:annotation +androidx.arch.core:core-common +androidx.arch.core:core-runtime +androidx.autofill:autofill +androidx.collection:collection-jvm +androidx.collection:collection androidx.compose.runtime:runtime-android +androidx.compose.runtime:runtime-saveable-android +androidx.compose.runtime:runtime-saveable androidx.compose.runtime:runtime +androidx.compose.ui:ui-android +androidx.compose.ui:ui-geometry-android +androidx.compose.ui:ui-geometry +androidx.compose.ui:ui-graphics-android +androidx.compose.ui:ui-graphics +androidx.compose.ui:ui-text-android +androidx.compose.ui:ui-text +androidx.compose.ui:ui-unit-android +androidx.compose.ui:ui-unit +androidx.compose.ui:ui-util-android +androidx.compose.ui:ui-util +androidx.compose.ui:ui +androidx.concurrent:concurrent-futures +androidx.core:core-ktx +androidx.core:core +androidx.customview:customview-poolingcontainer +androidx.emoji2:emoji2 +androidx.interpolator:interpolator +androidx.lifecycle:lifecycle-common-java8 +androidx.lifecycle:lifecycle-common +androidx.lifecycle:lifecycle-livedata-core +androidx.lifecycle:lifecycle-process +androidx.lifecycle:lifecycle-runtime-ktx +androidx.lifecycle:lifecycle-runtime +androidx.lifecycle:lifecycle-viewmodel-compose +androidx.lifecycle:lifecycle-viewmodel-ktx +androidx.lifecycle:lifecycle-viewmodel-savedstate +androidx.lifecycle:lifecycle-viewmodel +androidx.profileinstaller:profileinstaller +androidx.savedstate:savedstate-ktx +androidx.savedstate:savedstate +androidx.startup:startup-runtime +androidx.tracing:tracing +androidx.versionedparcelable:versionedparcelable +com.benasher44:uuid-jvm +com.benasher44:uuid +com.google.guava:listenablefuture +org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime +org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-stdlib-jdk7 org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib +org.jetbrains.kotlinx:atomicfu-jvm +org.jetbrains.kotlinx:atomicfu +org.jetbrains.kotlinx:kotlinx-collections-immutable-jvm +org.jetbrains.kotlinx:kotlinx-collections-immutable org.jetbrains.kotlinx:kotlinx-coroutines-android org.jetbrains.kotlinx:kotlinx-coroutines-bom org.jetbrains.kotlinx:kotlinx-coroutines-core-jvm diff --git a/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt index 48de250b7..f5975f9f7 100644 --- a/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt @@ -1,12 +1,32 @@ +com.benasher44:uuid-jvm +com.benasher44:uuid org.jetbrains.compose.runtime:runtime-desktop +org.jetbrains.compose.runtime:runtime-saveable-desktop +org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime +org.jetbrains.compose.ui:ui-desktop +org.jetbrains.compose.ui:ui-geometry-desktop +org.jetbrains.compose.ui:ui-geometry +org.jetbrains.compose.ui:ui-graphics-desktop +org.jetbrains.compose.ui:ui-graphics +org.jetbrains.compose.ui:ui-text-desktop +org.jetbrains.compose.ui:ui-text +org.jetbrains.compose.ui:ui-unit-desktop +org.jetbrains.compose.ui:ui-unit +org.jetbrains.compose.ui:ui-util-desktop +org.jetbrains.compose.ui:ui-util +org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-stdlib-jdk7 org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu +org.jetbrains.kotlinx:kotlinx-collections-immutable-jvm +org.jetbrains.kotlinx:kotlinx-collections-immutable org.jetbrains.kotlinx:kotlinx-coroutines-bom org.jetbrains.kotlinx:kotlinx-coroutines-core-jvm org.jetbrains.kotlinx:kotlinx-coroutines-core +org.jetbrains.skiko:skiko-awt +org.jetbrains.skiko:skiko org.jetbrains:annotations diff --git a/circuit-runtime-screen/src/androidMain/kotlin/com/slack/circuit/runtime/screen/PopResult.android.kt b/circuit-runtime-screen/src/androidMain/kotlin/com/slack/circuit/runtime/screen/PopResult.android.kt new file mode 100644 index 000000000..daafaddbb --- /dev/null +++ b/circuit-runtime-screen/src/androidMain/kotlin/com/slack/circuit/runtime/screen/PopResult.android.kt @@ -0,0 +1,8 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.runtime.screen + +import android.os.Parcelable +import androidx.compose.runtime.Immutable + +@Immutable public actual interface PopResult : Parcelable diff --git a/circuit-runtime-screen/src/commonMain/kotlin/com/slack/circuit/runtime/screen/PopResult.kt b/circuit-runtime-screen/src/commonMain/kotlin/com/slack/circuit/runtime/screen/PopResult.kt new file mode 100644 index 000000000..d725c0972 --- /dev/null +++ b/circuit-runtime-screen/src/commonMain/kotlin/com/slack/circuit/runtime/screen/PopResult.kt @@ -0,0 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.runtime.screen + +import androidx.compose.runtime.Immutable + +@Immutable public expect interface PopResult diff --git a/circuit-runtime-screen/src/iosMain/kotlin/com/slack/circuit/runtime/screen/PopResult.ios.kt b/circuit-runtime-screen/src/iosMain/kotlin/com/slack/circuit/runtime/screen/PopResult.ios.kt new file mode 100644 index 000000000..3610e3f7e --- /dev/null +++ b/circuit-runtime-screen/src/iosMain/kotlin/com/slack/circuit/runtime/screen/PopResult.ios.kt @@ -0,0 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.runtime.screen + +import androidx.compose.runtime.Immutable + +@Immutable public actual interface PopResult diff --git a/circuit-runtime-screen/src/jsMain/kotlin/com/slack/circuit/runtime/screen/PopResult.js.kt b/circuit-runtime-screen/src/jsMain/kotlin/com/slack/circuit/runtime/screen/PopResult.js.kt new file mode 100644 index 000000000..3610e3f7e --- /dev/null +++ b/circuit-runtime-screen/src/jsMain/kotlin/com/slack/circuit/runtime/screen/PopResult.js.kt @@ -0,0 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.runtime.screen + +import androidx.compose.runtime.Immutable + +@Immutable public actual interface PopResult diff --git a/circuit-runtime-screen/src/jvmMain/kotlin/com/slack/circuit/runtime/screen/PopResult.jvm.kt b/circuit-runtime-screen/src/jvmMain/kotlin/com/slack/circuit/runtime/screen/PopResult.jvm.kt new file mode 100644 index 000000000..3610e3f7e --- /dev/null +++ b/circuit-runtime-screen/src/jvmMain/kotlin/com/slack/circuit/runtime/screen/PopResult.jvm.kt @@ -0,0 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.runtime.screen + +import androidx.compose.runtime.Immutable + +@Immutable public actual interface PopResult diff --git a/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt index 2744a0317..e41b7c56f 100644 --- a/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt @@ -6,6 +6,7 @@ androidx.annotation:annotation androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill +androidx.collection:collection-jvm androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android @@ -29,11 +30,13 @@ androidx.core:core androidx.customview:customview-poolingcontainer androidx.emoji2:emoji2 androidx.interpolator:interpolator +androidx.lifecycle:lifecycle-common-java8 androidx.lifecycle:lifecycle-common androidx.lifecycle:lifecycle-livedata-core androidx.lifecycle:lifecycle-process androidx.lifecycle:lifecycle-runtime-ktx androidx.lifecycle:lifecycle-runtime +androidx.lifecycle:lifecycle-viewmodel-compose androidx.lifecycle:lifecycle-viewmodel-ktx androidx.lifecycle:lifecycle-viewmodel-savedstate androidx.lifecycle:lifecycle-viewmodel @@ -43,13 +46,20 @@ androidx.savedstate:savedstate androidx.startup:startup-runtime androidx.tracing:tracing androidx.versionedparcelable:versionedparcelable +com.benasher44:uuid-jvm +com.benasher44:uuid com.google.guava:listenablefuture +org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-stdlib-jdk7 org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib +org.jetbrains.kotlinx:atomicfu-jvm +org.jetbrains.kotlinx:atomicfu +org.jetbrains.kotlinx:kotlinx-collections-immutable-jvm +org.jetbrains.kotlinx:kotlinx-collections-immutable org.jetbrains.kotlinx:kotlinx-coroutines-android org.jetbrains.kotlinx:kotlinx-coroutines-bom org.jetbrains.kotlinx:kotlinx-coroutines-core-jvm diff --git a/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt index 2339ffcf3..f5975f9f7 100644 --- a/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt @@ -1,3 +1,5 @@ +com.benasher44:uuid-jvm +com.benasher44:uuid org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime-saveable-desktop org.jetbrains.compose.runtime:runtime-saveable @@ -20,6 +22,8 @@ org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu +org.jetbrains.kotlinx:kotlinx-collections-immutable-jvm +org.jetbrains.kotlinx:kotlinx-collections-immutable org.jetbrains.kotlinx:kotlinx-coroutines-bom org.jetbrains.kotlinx:kotlinx-coroutines-core-jvm org.jetbrains.kotlinx:kotlinx-coroutines-core diff --git a/circuit-runtime/build.gradle.kts b/circuit-runtime/build.gradle.kts index c9927726b..a5df92dcd 100644 --- a/circuit-runtime/build.gradle.kts +++ b/circuit-runtime/build.gradle.kts @@ -28,6 +28,7 @@ kotlin { dependencies { api(libs.compose.runtime) api(libs.coroutines) + api(projects.backstack) api(projects.circuitRuntimeScreen) } } diff --git a/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt index 72e63e9ea..e41b7c56f 100644 --- a/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt @@ -1,11 +1,65 @@ +androidx.activity:activity-ktx +androidx.activity:activity +androidx.annotation:annotation-experimental +androidx.annotation:annotation-jvm androidx.annotation:annotation +androidx.arch.core:core-common +androidx.arch.core:core-runtime +androidx.autofill:autofill +androidx.collection:collection-jvm +androidx.collection:collection androidx.compose.runtime:runtime-android +androidx.compose.runtime:runtime-saveable-android +androidx.compose.runtime:runtime-saveable androidx.compose.runtime:runtime +androidx.compose.ui:ui-android +androidx.compose.ui:ui-geometry-android +androidx.compose.ui:ui-geometry +androidx.compose.ui:ui-graphics-android +androidx.compose.ui:ui-graphics +androidx.compose.ui:ui-text-android +androidx.compose.ui:ui-text +androidx.compose.ui:ui-unit-android +androidx.compose.ui:ui-unit +androidx.compose.ui:ui-util-android +androidx.compose.ui:ui-util +androidx.compose.ui:ui +androidx.concurrent:concurrent-futures +androidx.core:core-ktx +androidx.core:core +androidx.customview:customview-poolingcontainer +androidx.emoji2:emoji2 +androidx.interpolator:interpolator +androidx.lifecycle:lifecycle-common-java8 +androidx.lifecycle:lifecycle-common +androidx.lifecycle:lifecycle-livedata-core +androidx.lifecycle:lifecycle-process +androidx.lifecycle:lifecycle-runtime-ktx +androidx.lifecycle:lifecycle-runtime +androidx.lifecycle:lifecycle-viewmodel-compose +androidx.lifecycle:lifecycle-viewmodel-ktx +androidx.lifecycle:lifecycle-viewmodel-savedstate +androidx.lifecycle:lifecycle-viewmodel +androidx.profileinstaller:profileinstaller +androidx.savedstate:savedstate-ktx +androidx.savedstate:savedstate +androidx.startup:startup-runtime +androidx.tracing:tracing +androidx.versionedparcelable:versionedparcelable +com.benasher44:uuid-jvm +com.benasher44:uuid +com.google.guava:listenablefuture +org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime +org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-stdlib-jdk7 org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib +org.jetbrains.kotlinx:atomicfu-jvm +org.jetbrains.kotlinx:atomicfu +org.jetbrains.kotlinx:kotlinx-collections-immutable-jvm +org.jetbrains.kotlinx:kotlinx-collections-immutable org.jetbrains.kotlinx:kotlinx-coroutines-android org.jetbrains.kotlinx:kotlinx-coroutines-bom org.jetbrains.kotlinx:kotlinx-coroutines-core-jvm diff --git a/circuit-runtime/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime/dependencies/jvmRuntimeClasspath.txt index 48de250b7..f5975f9f7 100644 --- a/circuit-runtime/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime/dependencies/jvmRuntimeClasspath.txt @@ -1,12 +1,32 @@ +com.benasher44:uuid-jvm +com.benasher44:uuid org.jetbrains.compose.runtime:runtime-desktop +org.jetbrains.compose.runtime:runtime-saveable-desktop +org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime +org.jetbrains.compose.ui:ui-desktop +org.jetbrains.compose.ui:ui-geometry-desktop +org.jetbrains.compose.ui:ui-geometry +org.jetbrains.compose.ui:ui-graphics-desktop +org.jetbrains.compose.ui:ui-graphics +org.jetbrains.compose.ui:ui-text-desktop +org.jetbrains.compose.ui:ui-text +org.jetbrains.compose.ui:ui-unit-desktop +org.jetbrains.compose.ui:ui-unit +org.jetbrains.compose.ui:ui-util-desktop +org.jetbrains.compose.ui:ui-util +org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-stdlib-jdk7 org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu +org.jetbrains.kotlinx:kotlinx-collections-immutable-jvm +org.jetbrains.kotlinx:kotlinx-collections-immutable org.jetbrains.kotlinx:kotlinx-coroutines-bom org.jetbrains.kotlinx:kotlinx-coroutines-core-jvm org.jetbrains.kotlinx:kotlinx-coroutines-core +org.jetbrains.skiko:skiko-awt +org.jetbrains.skiko:skiko org.jetbrains:annotations diff --git a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt index 2a9b2b2fc..02e9d3f9f 100644 --- a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt +++ b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt @@ -3,14 +3,21 @@ package com.slack.circuit.runtime import androidx.compose.runtime.Stable +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen -/** A basic navigation interface for navigating between [screens][Screen]. */ +/** A Navigator that only supports [goTo]. */ @Stable -public interface Navigator { +public interface GoToNavigator { public fun goTo(screen: Screen) +} + +/** A basic navigation interface for navigating between [screens][Screen]. */ +@Stable +public interface Navigator : GoToNavigator { + public override fun goTo(screen: Screen) - public fun pop(): Screen? + public fun pop(result: PopResult? = null): Screen? /** Returns current top most screen of backstack, or null if backstack is empty. */ public fun peek(): Screen? @@ -42,7 +49,7 @@ public interface Navigator { * enable different root screens to have their own back stacks. A common use case is with the * bottom navigation bar UX pattern. * - * ``` kotlin + * ```kotlin * navigator.resetRoot(HomeNavTab1, saveState = true, restoreState = true) * // User navigates to a details screen * navigator.push(EntityDetails(id = foo)) @@ -74,7 +81,7 @@ public interface Navigator { public object NoOp : Navigator { override fun goTo(screen: Screen) {} - override fun pop(): Screen? = null + override fun pop(result: PopResult?): Screen? = null override fun peek(): Screen? = null diff --git a/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt b/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt index 2a013c41d..e776d43a7 100644 --- a/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt +++ b/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt @@ -4,6 +4,7 @@ package com.slack.circuit.test import app.cash.turbine.Turbine import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen /** @@ -23,23 +24,23 @@ import com.slack.circuit.runtime.screen.Screen * } * ``` */ -public class FakeNavigator : Navigator { - private val navigatedScreens = Turbine() +public class FakeNavigator(initialScreen: Screen? = null) : Navigator { + private val navigatedScreens = ArrayDeque().apply { initialScreen?.let(::add) } private val newRoots = Turbine() private val pops = Turbine() + private val results = Turbine() override fun goTo(screen: Screen) { navigatedScreens.add(screen) } - override fun pop(): Screen? { + override fun pop(result: PopResult?): Screen? { pops.add(Unit) - return null + result?.let(results::add) + return navigatedScreens.removeLastOrNull() } - override fun peek(): Screen? { - error("peek() is not supported in FakeNavigator") - } + override fun peek(): Screen? = navigatedScreens.lastOrNull() override fun peekBackStack(): List { error("peekBackStack() is not supported in FakeNavigator") @@ -47,18 +48,13 @@ public class FakeNavigator : Navigator { override fun resetRoot(newRoot: Screen, saveState: Boolean, restoreState: Boolean): List { newRoots.add(newRoot) - val oldScreens = buildList { - val channel = navigatedScreens.asChannel() - while (true) { - val screen = channel.tryReceive().getOrNull() ?: break - add(screen) - } - } - // Note: to simulate popping off the backstack, screens should be returned in the reverse // order that they were added. As the channel returns them in the order they were added, we // need to reverse here before returning. - return oldScreens.reversed() + val oldScreens = navigatedScreens.toList().reversed() + navigatedScreens.clear() + + return oldScreens } /** @@ -66,10 +62,12 @@ public class FakeNavigator : Navigator { * * For non-coroutines users only. */ - public fun takeNextScreen(): Screen = navigatedScreens.takeItem() + public fun takeNextScreen(): Screen = navigatedScreens.removeFirst() /** Awaits the next [Screen] that was navigated to or throws if no screens were navigated to. */ - public suspend fun awaitNextScreen(): Screen = navigatedScreens.awaitItem() + // TODO suspend isn't necessary here anymore but left for backwards compatibility + @Suppress("RedundantSuspendModifier") + public suspend fun awaitNextScreen(): Screen = navigatedScreens.removeFirst() /** Awaits the next navigation [resetRoot] or throws if no resets were performed. */ public suspend fun awaitResetRoot(): Screen = newRoots.awaitItem() @@ -79,11 +77,11 @@ public class FakeNavigator : Navigator { /** Asserts that all events so far have been consumed. */ public fun assertIsEmpty() { - navigatedScreens.ensureAllEventsConsumed() + check(navigatedScreens.isEmpty()) } /** Asserts that no events have been emitted. */ public fun expectNoEvents() { - navigatedScreens.expectNoEvents() + check(navigatedScreens.isEmpty()) } } diff --git a/circuitx/android/dependencies/releaseRuntimeClasspath.txt b/circuitx/android/dependencies/releaseRuntimeClasspath.txt index d604ae1b8..0e7599a9e 100644 --- a/circuitx/android/dependencies/releaseRuntimeClasspath.txt +++ b/circuitx/android/dependencies/releaseRuntimeClasspath.txt @@ -1,14 +1,67 @@ +androidx.activity:activity-ktx +androidx.activity:activity +androidx.annotation:annotation-experimental androidx.annotation:annotation-jvm androidx.annotation:annotation +androidx.arch.core:core-common +androidx.arch.core:core-runtime +androidx.autofill:autofill +androidx.collection:collection-jvm +androidx.collection:collection androidx.compose.runtime:runtime-android +androidx.compose.runtime:runtime-saveable-android +androidx.compose.runtime:runtime-saveable androidx.compose.runtime:runtime +androidx.compose.ui:ui-android +androidx.compose.ui:ui-geometry-android +androidx.compose.ui:ui-geometry +androidx.compose.ui:ui-graphics-android +androidx.compose.ui:ui-graphics +androidx.compose.ui:ui-text-android +androidx.compose.ui:ui-text +androidx.compose.ui:ui-unit-android +androidx.compose.ui:ui-unit +androidx.compose.ui:ui-util-android +androidx.compose.ui:ui-util +androidx.compose.ui:ui +androidx.concurrent:concurrent-futures +androidx.core:core-ktx +androidx.core:core +androidx.customview:customview-poolingcontainer +androidx.emoji2:emoji2 +androidx.interpolator:interpolator +androidx.lifecycle:lifecycle-common-java8 +androidx.lifecycle:lifecycle-common +androidx.lifecycle:lifecycle-livedata-core +androidx.lifecycle:lifecycle-process +androidx.lifecycle:lifecycle-runtime-ktx +androidx.lifecycle:lifecycle-runtime +androidx.lifecycle:lifecycle-viewmodel-compose +androidx.lifecycle:lifecycle-viewmodel-ktx +androidx.lifecycle:lifecycle-viewmodel-savedstate +androidx.lifecycle:lifecycle-viewmodel +androidx.profileinstaller:profileinstaller +androidx.savedstate:savedstate-ktx +androidx.savedstate:savedstate +androidx.startup:startup-runtime +androidx.tracing:tracing +androidx.versionedparcelable:versionedparcelable +com.benasher44:uuid-jvm +com.benasher44:uuid +com.google.guava:listenablefuture +org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime +org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-android-extensions-runtime org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-parcelize-runtime org.jetbrains.kotlin:kotlin-stdlib-jdk7 org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib +org.jetbrains.kotlinx:atomicfu-jvm +org.jetbrains.kotlinx:atomicfu +org.jetbrains.kotlinx:kotlinx-collections-immutable-jvm +org.jetbrains.kotlinx:kotlinx-collections-immutable org.jetbrains.kotlinx:kotlinx-coroutines-android org.jetbrains.kotlinx:kotlinx-coroutines-bom org.jetbrains.kotlinx:kotlinx-coroutines-core-jvm diff --git a/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt b/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt index 95497c164..a835ad148 100644 --- a/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt +++ b/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt @@ -12,6 +12,7 @@ import androidx.compose.runtime.setValue import com.slack.circuit.retained.RetainedStateRegistry import com.slack.circuit.retained.rememberRetained import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen /** @@ -70,13 +71,12 @@ public fun rememberImpressionNavigator( } private class OnNavEventNavigator(val delegate: Navigator, val onNavEvent: () -> Unit) : Navigator { - override fun goTo(screen: Screen) { onNavEvent() delegate.goTo(screen) } - override fun pop(): Screen? { + override fun pop(result: PopResult?): Screen? { onNavEvent() return delegate.pop() } diff --git a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt index 9bd630d8b..c0a70ab9a 100644 --- a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt +++ b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt @@ -64,15 +64,15 @@ class GestureNavigationRetainedStateTest { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) NavigableCircuitContent( navigator = navigator, - backstack = backstack, + backStack = backStack, decoration = GestureNavigationDecoration(onBackInvoked = navigator::pop), ) } diff --git a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt index 11b716c5a..6b5b05c8a 100644 --- a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt +++ b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt @@ -64,15 +64,15 @@ class GestureNavigationSaveableStateTest { setContent { CircuitCompositionLocals(circuit) { - val backstack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } val navigator = rememberCircuitNavigator( - backstack = backstack, + backStack = backStack, onRootPop = {}, // no-op for tests ) NavigableCircuitContent( navigator = navigator, - backstack = backstack, + backStack = backStack, decoration = GestureNavigationDecoration(onBackInvoked = navigator::pop), ) } diff --git a/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt b/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt index 4ffd71489..1f3e0d9f5 100644 --- a/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt +++ b/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt @@ -13,6 +13,7 @@ import com.slack.circuit.overlay.Overlay import com.slack.circuit.overlay.OverlayHost import com.slack.circuit.overlay.OverlayNavigator import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen /** @@ -47,7 +48,7 @@ internal class FullScreenOverlay( override fun Content(navigator: OverlayNavigator) { val callbacks = key(callbacks) { callbacks() } val dispatchingNavigator = remember { - DispatchingOverlayNavigator(screen, navigator) { callbacks.onFinish() } + DispatchingOverlayNavigator(screen, navigator, callbacks::onFinish) } BackHandler(enabled = true, onBack = dispatchingNavigator::pop) @@ -68,7 +69,7 @@ internal class DispatchingOverlayNavigator( error("goTo() is not supported in full screen overlays!") } - override fun pop(): Screen? { + override fun pop(result: PopResult?): Screen? { overlayNavigator.finish(Unit) onPop() return null diff --git a/docs/circuitx.md b/docs/circuitx.md index da70d8e5a..7d24171f8 100644 --- a/docs/circuitx.md +++ b/docs/circuitx.md @@ -32,7 +32,7 @@ with `rememberAndroidScreenAwareNavigator()`. class MainActivity : Activity { override fun onCreate(savedInstanceState: Bundle?) { setContent { - val backstack = rememberSaveableBackStack { push(HomeScreen) } + val backStack = rememberSaveableBackStack { push(HomeScreen) } val navigator = rememberAndroidScreenAwareNavigator( rememberCircuitNavigator(backstack), // Decorated navigator this@MainActivity @@ -119,7 +119,7 @@ To enable gesture navigation support, you can use the use the `GestureNavigation ```kotlin NavigableCircuitContent( navigator = navigator, - backstack = backstack, + backStack = backstack, decoration = GestureNavigationDecoration( // Pop the back stack once the user has gone 'back' navigator::pop diff --git a/docs/navigation.md b/docs/navigation.md index 9d512d802..00f7a3e09 100644 --- a/docs/navigation.md +++ b/docs/navigation.md @@ -10,9 +10,9 @@ A new navigable content surface is handled via the `NavigableCircuitContent` fun ```kotlin setContent { - val backstack = rememberSaveableBackStack { push(HomeScreen) } - val navigator = rememberCircuitNavigator(backstack) - NavigableCircuitContent(navigator, backstack) + val backStack = rememberSaveableBackStack { push(HomeScreen) } + val navigator = rememberCircuitNavigator(backStack) + NavigableCircuitContent(navigator, backStack) } ``` @@ -35,7 +35,7 @@ If you want to have custom behavior for when back is pressed on the root screen ```kotlin setContent { - val backstack = rememberSaveableBackStack { push(HomeScreen) } + val backStack = rememberSaveableBackStack { push(HomeScreen) } BackHandler(onBack = { /* do something on root */ }) // The Navigator's internal BackHandler will take precedence until it is at the root screen. val navigator = rememberCircuitNavigator(backstack) @@ -43,6 +43,44 @@ setContent { } ``` +## Results + +In some cases, it makes sense for a screen to return a result to the previous screen. This is done by using the an _answering Navigator_ pattern in Circuit. + +The primary entry point for requesting a result is the `rememberAnsweringNavigator` API, which takes a `Navigator` or `BackStack` and `PopResult` type and returns a navigator that can go to a screen and await a result. + +Result types must implement `PopResult` and are used to carry data back to the previous screen. + +The returned navigator should be used to navigate to the screen that will return the result. The target screen can then `pop` the result back to the previous screen and Circuit will automatically deliver this result to the previous screen's receiver. + +```kotlin +var photoUrl by remember { mutableStateOf(null) } +val takePhotoNavigator = rememberAnsweringNavigator(navigator) { result -> + photoUrl = result.url +} + +// Elsewhere +takePhotoNavigator.goTo(TakePhotoScreen) + +// In TakePhotoScreen.kt +data object TakePhotoScreen : Screen { + @Parcelize + data class Result(val url: String) : PopResult +} + +class TakePhotoPresenter { + @Composable fun present(): State { + // ... + navigator.pop(result = TakePhotoScreen.Result(newFilters)) + } +} +``` + +Circuit automatically manages saving/restoring result states and ensuring that results are only delivered to the original receiver that requested it. If the target screen does not pop back a result, the previous screen's receiver will just never receive one. + +!!! note "When to use an `Overlay` vs navigating to a `Screen` with result?" + See this doc in [Overlays](https://slackhq.github.io/circuit/overlays/overlays/#overlay-vs-popresult)! + ## Nested Navigation Navigation carries special semantic value in `CircuitContent` as well, where it’s common for UIs to want to curry navigation events emitted by nested UIs. For this case, there’s a `CircuitContent` overload that accepts an optional onNavEvent callback that you must then forward to a Navigator instance. diff --git a/docs/overlays.md b/docs/overlays.md index 5bde96529..7647dd4eb 100644 --- a/docs/overlays.md +++ b/docs/overlays.md @@ -69,3 +69,19 @@ ContentWithOverlays { ``` This will expose a `LocalOverlayHost` composition local that can be used by UIs to show overlays. This also exposes a `LocalOverlayState` composition local that can be used to check the current overlay state (`UNAVAILABLE`, `HIDDEN`, or `SHOWING`). + +## `Overlay` vs `PopResult` + +Overlays and navigation results can accomplish similar goals, and you should choose the right one for your use case. + +| | `Overlay` | `PopResult` | +|--------------------------------------------|-----------|-------------| +| Survives process death | ❌ | ✅ | +| Type-safe | ✅ | 🟡 | +| Suspend on result | ✅ | ❌ | +| Participates in back stack | ❌ | ✅ | +| Supports non-saveable inputs/outputs | ✅ | ❌ | +| Can participate with the caller's UI | ✅ | ❌ | +| Can return multiple different result types | ❌ | ✅ | + +*`PopResult` is technically type-safe, but it's not as strongly typed as `Overlay` results since there is nothing inherently requiring the target screen to pop a given result type back. \ No newline at end of file diff --git a/docs/tutorial.md b/docs/tutorial.md index 80dd1d32c..5fa6abf56 100644 --- a/docs/tutorial.md +++ b/docs/tutorial.md @@ -555,4 +555,4 @@ On Android, `NavigableCircuitContent` automatically hooks into [BackHandler](htt ## Conclusion -This is just a brief introduction to Circuit. For more information see various docs on the site, samples in the repo, the [API reference](../api/0.x/index.html), and check out other Circuit tools like [circuit-retained](https://slackhq.github.io/circuit/presenter/#retention), [CircuitX](https://slackhq.github.io/circuit/circuitx/), [factory code gen](https://slackhq.github.io/circuit/code-gen/), [overlays](https://slackhq.github.io/circuit/overlays/), [testing](https://slackhq.github.io/circuit/testing/), [multiplatform](https://slackhq.github.io/circuit/setup/#platform-support), and more. \ No newline at end of file +This is just a brief introduction to Circuit. For more information see various docs on the site, samples in the repo, the [API reference](../api/0.x/index.html), and check out other Circuit tools like [circuit-retained](https://slackhq.github.io/circuit/presenter/#retention), [CircuitX](https://slackhq.github.io/circuit/circuitx/), [factory code gen](https://slackhq.github.io/circuit/code-gen/), [overlays](https://slackhq.github.io/circuit/overlays/), [navigation with results](https://slackhq.github.io/circuit/navigation/#results), [testing](https://slackhq.github.io/circuit/testing/), [multiplatform](https://slackhq.github.io/circuit/setup/#platform-support), and more. \ No newline at end of file diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 31b324392..1a9d0c1ef 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -49,6 +49,7 @@ moshix = "0.25.1" okhttp = "5.0.0-alpha.12" okio = "3.7.0" paparazzi = "1.3.2" +picnic = "0.7.0" retrofit = "2.9.0" robolectric = "4.11.1" roborazzi = "1.9.0" @@ -253,6 +254,7 @@ okhttp-bom = { module = "com.squareup.okhttp3:okhttp-bom", version.ref = "okhttp okhttp-loggingInterceptor = { module = "com.squareup.okhttp3:logging-interceptor", version.ref = "okhttp" } okio = { module = "com.squareup.okio:okio", version.ref = "okio" } okio-fakefilesystem = { module = "com.squareup.okio:okio-fakefilesystem", version.ref = "okio" } +picnic = { module = "com.jakewharton.picnic:picnic", version.ref = "picnic" } retrofit = { module = "com.squareup.retrofit2:retrofit", version.ref = "retrofit" } retrofit-converters-moshi = { module = "com.squareup.retrofit2:converter-moshi", version.ref = "retrofit" } retrofit-converters-scalars = { module = "com.squareup.retrofit2:converter-scalars", version.ref = "retrofit" } diff --git a/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt b/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt index 1dff974d2..b4bfbb07f 100644 --- a/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt +++ b/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt @@ -164,7 +164,7 @@ fun main() = application { CircuitCompositionLocals(circuit) { NavigableCircuitContent( navigator = navigator, - backstack = backStack, + backStack = backStack, modifier = Modifier.backHandler(enabled = backStack.size > 1, onBack = { navigator.pop() }), ) diff --git a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt index b639821fa..d40e1545b 100644 --- a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt +++ b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt @@ -68,16 +68,16 @@ class MainActivity @Inject constructor(private val circuit: Circuit) : AppCompat StarTheme { // TODO why isn't the windowBackground enough so we don't need to do this? Surface(color = MaterialTheme.colorScheme.background) { - val backstack = rememberSaveableBackStack { + val backStack = rememberSaveableBackStack { initialBackstack.forEach { screen -> push(screen) } } - val circuitNavigator = rememberCircuitNavigator(backstack) + val circuitNavigator = rememberCircuitNavigator(backStack) val navigator = rememberAndroidScreenAwareNavigator(circuitNavigator, this::goTo) CircuitCompositionLocals(circuit) { ContentWithOverlays { NavigableCircuitContent( navigator = navigator, - backstack = backstack, + backStack = backStack, decoration = ImageViewerAwareNavDecoration( GestureNavigationDecoration(onBackInvoked = navigator::pop) diff --git a/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/HomeScreen.kt b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/HomeScreen.kt index d7bf382d0..d20da2482 100644 --- a/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/HomeScreen.kt +++ b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/HomeScreen.kt @@ -13,6 +13,7 @@ import androidx.compose.material3.Scaffold import androidx.compose.material3.Text import androidx.compose.runtime.Composable import androidx.compose.runtime.getValue +import androidx.compose.runtime.mutableIntStateOf import androidx.compose.runtime.mutableStateOf import androidx.compose.runtime.remember import androidx.compose.runtime.setValue @@ -55,12 +56,10 @@ data object HomeScreen : Screen { @CircuitInject(screen = HomeScreen::class, scope = AppScope::class) @Composable fun HomePresenter(navigator: Navigator): HomeScreen.State { - var selectedIndex by remember { mutableStateOf(0) } + var selectedIndex by remember { mutableIntStateOf(0) } return HomeScreen.State(selectedIndex = selectedIndex) { event -> when (event) { - is ClickNavItem -> { - selectedIndex = event.index - } + is ClickNavItem -> selectedIndex = event.index is ChildNav -> navigator.onNavEvent(event.navEvent) } } diff --git a/samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/FiltersScreen.kt b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/FiltersScreen.kt new file mode 100644 index 000000000..2e7c7272e --- /dev/null +++ b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/FiltersScreen.kt @@ -0,0 +1,82 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.star.petlist + +import androidx.compose.foundation.layout.Box +import androidx.compose.foundation.layout.WindowInsets +import androidx.compose.foundation.layout.fillMaxWidth +import androidx.compose.foundation.layout.padding +import androidx.compose.material3.CenterAlignedTopAppBar +import androidx.compose.material3.Scaffold +import androidx.compose.material3.Text +import androidx.compose.runtime.Composable +import androidx.compose.ui.Modifier +import androidx.compose.ui.unit.dp +import com.slack.circuit.codegen.annotations.CircuitInject +import com.slack.circuit.runtime.CircuitUiState +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.PopResult +import com.slack.circuit.runtime.screen.Screen +import com.slack.circuit.star.common.BackPressNavIcon +import com.slack.circuit.star.di.AppScope +import com.slack.circuit.star.di.Assisted +import com.slack.circuit.star.di.AssistedFactory +import com.slack.circuit.star.di.AssistedInject +import com.slack.circuit.star.parcel.CommonParcelize + +@CommonParcelize +data class FiltersScreen(val initialFilters: Filters) : Screen { + data class State(val initialFilters: Filters, val eventSink: (Event) -> Unit) : CircuitUiState + + sealed interface Event { + data class Save(val filters: Filters) : Event + } + + @CommonParcelize data class Result(val filters: Filters) : PopResult +} + +class FiltersPresenter +@AssistedInject +constructor( + @Assisted private val navigator: Navigator, + @Assisted private val screen: FiltersScreen, +) : Presenter { + @Composable + override fun present(): FiltersScreen.State { + return FiltersScreen.State( + initialFilters = screen.initialFilters, + eventSink = { event -> + when (event) { + is FiltersScreen.Event.Save -> { + navigator.pop(FiltersScreen.Result(event.filters)) + } + } + }, + ) + } + + @CircuitInject(FiltersScreen::class, AppScope::class) + @AssistedFactory + interface Factory { + fun create(navigator: Navigator, screen: FiltersScreen): FiltersPresenter + } +} + +@CircuitInject(FiltersScreen::class, AppScope::class) +@Composable +internal fun FilterUi(state: FiltersScreen.State, modifier: Modifier = Modifier) { + Scaffold( + modifier = modifier.fillMaxWidth(), + contentWindowInsets = WindowInsets(0, 0, 0, 0), + topBar = { + CenterAlignedTopAppBar(title = { Text("Filters") }, navigationIcon = { BackPressNavIcon() }) + }, + ) { contentPadding -> + Box(modifier = Modifier.padding(contentPadding)) { + UpdateFiltersSheet(state.initialFilters, Modifier.padding(16.dp)) { newFilters -> + state.eventSink(FiltersScreen.Event.Save(newFilters)) + } + } + } +} diff --git a/samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/PetListScreen.kt b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/PetListScreen.kt index 3b7d20cb4..a0f902f0b 100644 --- a/samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/PetListScreen.kt +++ b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/petlist/PetListScreen.kt @@ -6,6 +6,7 @@ import androidx.compose.animation.core.AnimationConstants import androidx.compose.foundation.ExperimentalFoundationApi import androidx.compose.foundation.Image import androidx.compose.foundation.clickable +import androidx.compose.foundation.combinedClickable import androidx.compose.foundation.layout.Arrangement import androidx.compose.foundation.layout.Arrangement.spacedBy import androidx.compose.foundation.layout.Box @@ -19,6 +20,7 @@ import androidx.compose.foundation.layout.WindowInsets import androidx.compose.foundation.layout.fillMaxSize import androidx.compose.foundation.layout.fillMaxWidth import androidx.compose.foundation.layout.padding +import androidx.compose.foundation.layout.size import androidx.compose.foundation.layout.width import androidx.compose.foundation.lazy.staggeredgrid.LazyVerticalStaggeredGrid import androidx.compose.foundation.lazy.staggeredgrid.StaggeredGridCells @@ -35,12 +37,12 @@ import androidx.compose.material3.CircularProgressIndicator import androidx.compose.material3.ElevatedCard import androidx.compose.material3.FilterChip import androidx.compose.material3.Icon -import androidx.compose.material3.IconButton import androidx.compose.material3.LocalContentColor import androidx.compose.material3.MaterialTheme import androidx.compose.material3.Scaffold import androidx.compose.material3.Text import androidx.compose.material3.TopAppBarDefaults +import androidx.compose.material3.minimumInteractiveComponentSize import androidx.compose.material3.rememberTopAppBarState import androidx.compose.material3.windowsizeclass.ExperimentalMaterial3WindowSizeClassApi import androidx.compose.material3.windowsizeclass.WindowWidthSizeClass @@ -58,11 +60,13 @@ import androidx.compose.runtime.setValue import androidx.compose.runtime.snapshots.SnapshotStateMap import androidx.compose.ui.Alignment import androidx.compose.ui.Modifier +import androidx.compose.ui.draw.clip import androidx.compose.ui.graphics.ColorFilter import androidx.compose.ui.graphics.vector.rememberVectorPainter import androidx.compose.ui.input.nestedscroll.nestedScroll import androidx.compose.ui.layout.ContentScale import androidx.compose.ui.platform.testTag +import androidx.compose.ui.semantics.Role import androidx.compose.ui.text.capitalize import androidx.compose.ui.text.intl.Locale import androidx.compose.ui.unit.dp @@ -73,6 +77,7 @@ import coil3.compose.LocalPlatformContext import coil3.request.ImageRequest.Builder import coil3.request.crossfade import com.slack.circuit.codegen.annotations.CircuitInject +import com.slack.circuit.foundation.rememberAnsweringNavigator import com.slack.circuit.overlay.OverlayEffect import com.slack.circuit.runtime.CircuitUiEvent import com.slack.circuit.runtime.CircuitUiState @@ -91,8 +96,9 @@ import com.slack.circuit.star.parcel.CommonParcelize import com.slack.circuit.star.petdetail.PetDetailScreen import com.slack.circuit.star.petlist.PetListScreen.Event import com.slack.circuit.star.petlist.PetListScreen.Event.ClickAnimal +import com.slack.circuit.star.petlist.PetListScreen.Event.GoToFiltersScreen import com.slack.circuit.star.petlist.PetListScreen.Event.Refresh -import com.slack.circuit.star.petlist.PetListScreen.Event.UpdateFilters +import com.slack.circuit.star.petlist.PetListScreen.Event.ShowFiltersOverlay import com.slack.circuit.star.petlist.PetListScreen.Event.UpdatedFilters import com.slack.circuit.star.petlist.PetListScreen.State import com.slack.circuit.star.petlist.PetListScreen.State.Loading @@ -137,7 +143,9 @@ data object PetListScreen : Screen { data object Refresh : Event - data object UpdateFilters : Event + data object ShowFiltersOverlay : Event + + data object GoToFiltersScreen : Event data class UpdatedFilters(val newFilters: Filters) : Event } @@ -168,6 +176,9 @@ constructor(@Assisted private val navigator: Navigator, private val petRepo: Pet var isUpdateFiltersModalShowing by rememberSaveable { mutableStateOf(false) } var filters by rememberSaveable { mutableStateOf(Filters()) } + val filtersScreenNavigator = + rememberAnsweringNavigator(navigator) { filters = it.filters } + val animals = animalState return when { animals == null -> Loading @@ -187,9 +198,12 @@ constructor(@Assisted private val navigator: Navigator, private val petRepo: Pet isUpdateFiltersModalShowing = false filters = event.newFilters } - UpdateFilters -> { + ShowFiltersOverlay -> { isUpdateFiltersModalShowing = true } + GoToFiltersScreen -> { + filtersScreenNavigator.goTo(FiltersScreen(filters)) + } Refresh -> isRefreshing = true } } @@ -254,7 +268,10 @@ internal fun PetList(state: State, modifier: Modifier = Modifier) { scrollBehavior = scrollBehavior, actions = { if (state is Success) { - IconButton(onClick = { state.eventSink(UpdateFilters) }) { + CompositeIconButton( + onClick = { state.eventSink(ShowFiltersOverlay) }, + onLongClick = { state.eventSink(GoToFiltersScreen) }, + ) { Icon( imageVector = FilterList, contentDescription = "Filter pet list", @@ -348,7 +365,7 @@ private fun PetListGridItem( contentColor = MaterialTheme.colorScheme.onSurfaceVariant, ), ) { - Column(modifier = Modifier.clickable { onClick() }) { + Column(modifier = Modifier.clickable(onClick = onClick)) { // Image val imageModifier = Modifier.fillMaxWidth().testTag(IMAGE_TAG) if (animal.imageUrl == null) { @@ -466,3 +483,25 @@ private fun > FilterOptions( } } } + +/** A very simple alternative to `IconButton` that supports [onLongClick] too. */ +@OptIn(ExperimentalFoundationApi::class) +@Composable +fun CompositeIconButton( + onClick: () -> Unit, + onLongClick: () -> Unit, + modifier: Modifier = Modifier, + content: @Composable () -> Unit, +) { + Box( + modifier = + modifier + .minimumInteractiveComponentSize() + .size(40.dp) + .clip(MaterialTheme.shapes.small) + .combinedClickable(onClick = onClick, onLongClick = onLongClick, role = Role.Button), + contentAlignment = Alignment.Center, + ) { + content() + } +} diff --git a/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt b/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt index df2d2901c..9297a6af9 100644 --- a/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt +++ b/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt @@ -95,7 +95,7 @@ fun main() { MaterialTheme(colorScheme = if (darkMode) darkColorScheme() else lightColorScheme()) { CircuitCompositionLocals(component.circuit) { ContentWithOverlays { - NavigableCircuitContent(navigator = navigator, backstack = backStack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } } diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt index 0bcc46066..d914bb5c9 100644 --- a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt @@ -26,7 +26,7 @@ fun MainActivity.tutorialOnCreate() { val backStack = rememberSaveableBackStack { push(InboxScreen) } val navigator = rememberCircuitNavigator(backStack) CircuitCompositionLocals(circuit) { - NavigableCircuitContent(navigator = navigator, backstack = backStack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } } diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt index daa4ea960..62d692bc9 100644 --- a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt @@ -27,7 +27,7 @@ fun main() { val backStack = rememberSaveableBackStack { push(InboxScreen) } val navigator = rememberCircuitNavigator(backStack, ::exitApplication) CircuitCompositionLocals(circuit) { - NavigableCircuitContent(navigator = navigator, backstack = backStack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) } } } From 037c768d9900be89f005827a3dbb04b8280dcd1f Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 3 Feb 2024 02:06:48 -0800 Subject: [PATCH 003/123] Update dependency com.google.truth:truth to v1.4.0 (#1179) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.google.truth:truth](https://togithub.com/google/truth) | dependencies | minor | `1.3.0` -> `1.4.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
google/truth (com.google.truth:truth) ### [`v1.4.0`](https://togithub.com/google/truth/releases/tag/v1.4.0): 1.4.0 In this release, our assertions on Java 8 types continue to move from the `Truth8` class to the main `Truth` class. This change should not break compatibility for any supported JDK or Android version, even users who test under old versions of Android without [API desugaring](https://developer.android.com/studio/write/java8-support#library-desugaring). Additionally, we will never break binary compatibility, though some users will have to make changes to their source code in order for it to compile against newer versions. This release is likely to lead to more **build failures** than [1.3.0](https://togithub.com/google/truth/releases/tag/v1.3.0) did. However, those failures should be **straightforward to fix**. #### Example build failure Foo.java:152: error: reference to assertThat is ambiguous assertThat(repo.findFileWithName("foo")).isNull(); ^ both method assertThat(@​org.jspecify.nullness.Nullable Path) in Truth8 and method assertThat(@​org.jspecify.nullness.Nullable Path) in Truth match #### Simplest upgrade strategy (if you can update all your code atomically in the same commit as the Truth upgrade) In the same commit: 1. Upgrade Truth to 1.4.0. 2. Replace `import static com.google.common.truth.Truth8.assertThat;` with `import static com.google.common.truth.Truth.assertThat;`. - If you use Kotlin, replace `import com.google.common.truth.Truth8.assertThat` with `import com.google.common.truth.Truth.assertThat`. 3. Replace `import com.google.common.truth.Truth8;` with `import com.google.common.truth.Truth;`. - again, similarly for Kotlin if needed 4. Replace remaining references to `Truth8` with references to `Truth`. - For example, replace `Truth8.assertThat(optional).isPresent()` with `Truth.assertThat(optional).isPresent()`. If you're feeling lucky, you can try this one-liner for the code updates: ```sh git grep -l Truth8 | xargs perl -pi -e 's/import static com.google.common.truth.Truth8.assertThat;/import static com.google.common.truth.Truth.assertThat;/g; s/import com.google.common.truth.Truth8.assertThat/import com.google.common.truth.Truth.assertThat/g; s/import com.google.common.truth.Truth8/import com.google.common.truth.Truth/g; s/\bTruth8[.]/Truth./g;' ``` After that process, it is possible that you'll still see build errors from ambiguous usages of `assertThat` static imports. If so, you can find a workaround in the section about overload ambiguity in the release notes for [1.3.0](https://togithub.com/google/truth/releases/tag/v1.3.0). Alternatively, you can wait to upgrade until after a future Truth release, which will eliminate the ambiguity by changing the signatures of some `Truth.assertThat` overloads. #### Incremental upgrade strategy If you have a very large repo or you have other reasons to prefer to upgrade incrementally, you can use the approach that we used inside Google. Roughly, that approach was: 1. Make the optional changes discussed in the release notes for [1.3.0](https://togithub.com/google/truth/releases/tag/v1.3.0). 2. For any remaining calls to `Truth8.assertThat`, change them to *avoid* static import. - That is, replace `assertThat(optional).isPresent()` with `Truth8.assertThat(optional).isPresent()`. 3. Upgrade Truth to 1.4.0. 4. Optionally replace references to `Truth8` with references to `Truth` (including restoring static imports if desired), as discussed in section about the simple upgrade strategy above. #### Optional additional changes - If you use `assertWithMessage(...).about(intStreams()).that(...)`, `expect.about(optionalLongs()).that(...)`, or similar, you can remove your call to `about`. This change will never be necessary; it is just a simplification. - This is similar to a previous optional change from [1.3.0](https://togithub.com/google/truth/releases/tag/v1.3.0), except that 1.3.0 solved this problem for `streams` and `optionals`, whereas 1.4.0 solves it for the other `Truth8` types. #### For help Please feel welcome to [open an issue](https://togithub.com/google/truth/issues/new) to report problems or request help. #### Changelog - Added the remaining `Truth8.assertThat` overloads to the main `Truth` class. ([`9be8e77`](https://togithub.com/google/truth/commit/9be8e774c), [`1f81827`](https://togithub.com/google/truth/commit/1f81827f1)) - Added more `that` overloads to make it possible to write type-specific assertions when using the remaining Java 8 types. ([`7c65fc6`](https://togithub.com/google/truth/commit/7c65fc611))
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 1a9d0c1ef..7a28eeeed 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -276,7 +276,7 @@ telephoto-zoomableImageCoil = { module = "me.saket.telephoto:zoomable-image-coil testing-assertk = "com.willowtreeapps.assertk:assertk:0.28.0" testing-espresso-core = "androidx.test.espresso:espresso-core:3.5.1" testing-testParameterInjector = { module = "com.google.testparameterinjector:test-parameter-injector", version.ref = "testParameterInjector" } -truth = "com.google.truth:truth:1.3.0" +truth = "com.google.truth:truth:1.4.0" turbine = { module = "app.cash.turbine:turbine", version.ref = "turbine" } # KMP UUID From 41e24c181c8d13d74d8d048e5ebf30f6d0724be5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 3 Feb 2024 02:06:57 -0800 Subject: [PATCH 004/123] Update dependency mkdocs-material to v9.5.7 (#1178) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.6` -> `==9.5.7` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.7`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.7): mkdocs-material-9.5.7 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.6...9.5.7) - Fixed [#​6731](https://togithub.com/squidfunk/mkdocs-material/issues/6731): Small images in figures are not centered - Fixed [#​6719](https://togithub.com/squidfunk/mkdocs-material/issues/6719): Instant navigation breaks table of contents (9.5.5 regression)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index a6c507828..dde4db3d7 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.5.2 MarkupSafe==2.1.4 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.6 +mkdocs-material==9.5.7 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7 From 40a5831d10098377286c731db5a91db8b864c5ba Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 3 Feb 2024 02:07:04 -0800 Subject: [PATCH 005/123] Update dependency MarkupSafe to v2.1.5 (#1177) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [MarkupSafe](https://palletsprojects.com/p/markupsafe/) ([changelog](https://markupsafe.palletsprojects.com/changes/)) | patch | `==2.1.4` -> `==2.1.5` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index dde4db3d7..c1ba00164 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -4,7 +4,7 @@ Jinja2==3.1.3 livereload==2.6.3 lunr==0.7.0.post1 Markdown==3.5.2 -MarkupSafe==2.1.4 +MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 mkdocs-material==9.5.7 From aedc8ac2b303615f877ab32a0613fe6ad555b7e2 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 4 Feb 2024 17:50:51 -0800 Subject: [PATCH 006/123] Update dependency gradle to v8.6 (#1180) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [gradle](https://gradle.org) ([source](https://togithub.com/gradle/gradle)) | minor | `8.5` -> `8.6` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
gradle/gradle (gradle) ### [`v8.6`](https://togithub.com/gradle/gradle/releases/tag/v8.6.0): 8.6 [Compare Source](https://togithub.com/gradle/gradle/compare/v8.5.0...v8.6.0) The Gradle team is excited to announce Gradle 8.6. [Read the Release Notes](https://docs.gradle.org/8.6/release-notes.html) We would like to thank the following community members for their contributions to this release of Gradle: [Baptiste Decroix](https://togithub.com/bdecroix-spiria), [Björn Kautler](https://togithub.com/Vampire), [Daniel Lacasse](https://togithub.com/lacasseio), [Danny Thomas](https://togithub.com/DanielThomas), [Hyeonmin Park](https://togithub.com/KENNYSOFT), [jeffalder](https://togithub.com/jeffalder), [Jendrik Johannes](https://togithub.com/jjohannes), [John Jiang](https://togithub.com/johnshajiang), [Kaiyao Ke](https://togithub.com/kaiyaok2), [Kevin Mark](https://togithub.com/kmark), [king-tyler](https://togithub.com/king-tyler), [Marcin Dąbrowski](https://togithub.com/marcindabrowski), [Marcin Laskowski](https://togithub.com/ILikeYourHat), [Markus Gaisbauer](https://togithub.com/quijote), [Mel Arthurs](https://togithub.com/arthursmel), [Ryan Schmitt](https://togithub.com/rschmitt), [Surya K N](https://togithub.com/Surya-KN), [Vladislav Golubtsov](https://togithub.com/Shmuser), [Yanshun Li](https://togithub.com/Chaoba), [Andrzej Ressel](https://togithub.com/andrzejressel) #### Upgrade instructions Switch your build to use Gradle 8.6 by updating your wrapper: ./gradlew wrapper --gradle-version=8.6 See the Gradle [8.x upgrade guide](https://docs.gradle.org/8.6/userguide/upgrading_version\_8.html) to learn about deprecations, breaking changes and other considerations when upgrading. For Java, Groovy, Kotlin and Android compatibility, see the [full compatibility notes](https://docs.gradle.org/8.6/userguide/compatibility.html). #### Reporting problems If you find a problem with this release, please file a bug on [GitHub Issues](https://togithub.com/gradle/gradle/issues) adhering to our issue guidelines. If you're not sure you're encountering a bug, please use the [forum](https://discuss.gradle.org/c/help-discuss). We hope you will build happiness with Gradle, and we look forward to your feedback via [Twitter](https://twitter.com/gradle) or on [GitHub](https://togithub.com/gradle).
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/wrapper/gradle-wrapper.properties | 2 +- gradlew.bat | 20 ++++++++++---------- 2 files changed, 11 insertions(+), 11 deletions(-) diff --git a/gradle/wrapper/gradle-wrapper.properties b/gradle/wrapper/gradle-wrapper.properties index 1af9e0930..a80b22ce5 100644 --- a/gradle/wrapper/gradle-wrapper.properties +++ b/gradle/wrapper/gradle-wrapper.properties @@ -1,6 +1,6 @@ distributionBase=GRADLE_USER_HOME distributionPath=wrapper/dists -distributionUrl=https\://services.gradle.org/distributions/gradle-8.5-bin.zip +distributionUrl=https\://services.gradle.org/distributions/gradle-8.6-bin.zip networkTimeout=10000 validateDistributionUrl=true zipStoreBase=GRADLE_USER_HOME diff --git a/gradlew.bat b/gradlew.bat index 6689b85be..7101f8e46 100644 --- a/gradlew.bat +++ b/gradlew.bat @@ -43,11 +43,11 @@ set JAVA_EXE=java.exe %JAVA_EXE% -version >NUL 2>&1 if %ERRORLEVEL% equ 0 goto execute -echo. -echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. -echo. -echo Please set the JAVA_HOME variable in your environment to match the -echo location of your Java installation. +echo. 1>&2 +echo ERROR: JAVA_HOME is not set and no 'java' command could be found in your PATH. 1>&2 +echo. 1>&2 +echo Please set the JAVA_HOME variable in your environment to match the 1>&2 +echo location of your Java installation. 1>&2 goto fail @@ -57,11 +57,11 @@ set JAVA_EXE=%JAVA_HOME%/bin/java.exe if exist "%JAVA_EXE%" goto execute -echo. -echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME% -echo. -echo Please set the JAVA_HOME variable in your environment to match the -echo location of your Java installation. +echo. 1>&2 +echo ERROR: JAVA_HOME is set to an invalid directory: %JAVA_HOME% 1>&2 +echo. 1>&2 +echo Please set the JAVA_HOME variable in your environment to match the 1>&2 +echo location of your Java installation. 1>&2 goto fail From 4648a5e168ab6c920ff63b5fad70ea55e9cf8319 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 4 Feb 2024 18:07:04 -0800 Subject: [PATCH 007/123] Update coil3 to v3.0.0-alpha04 (#1175) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.coil-kt.coil3:coil-test](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha03` -> `3.0.0-alpha04` | | [io.coil-kt.coil3:coil-network-okhttp](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha03` -> `3.0.0-alpha04` | | [io.coil-kt.coil3:coil-network-ktor](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha03` -> `3.0.0-alpha04` | | [io.coil-kt.coil3:coil-compose-core](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha03` -> `3.0.0-alpha04` | | [io.coil-kt.coil3:coil](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha03` -> `3.0.0-alpha04` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
coil-kt/coil (io.coil-kt.coil3:coil-test) ### [`v3.0.0-alpha04`](https://togithub.com/coil-kt/coil/blob/HEAD/CHANGELOG.md#300-alpha04---February-1-2024) [Compare Source](https://togithub.com/coil-kt/coil/compare/3.0.0-alpha03...3.0.0-alpha04) - **Breaking**: Remove `Lazy` from `OkHttpNetworkFetcherFactory` and `KtorNetworkFetcherFactory`'s public API. - Expose `Call.Factory` instead of `OkHttpClient` in `OkHttpNetworkFetcherFactory`. - Convert `NetworkResponseBody` to wrap a `ByteString`. - Downgrade Compose to 1.5.12.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- .../kotlin/com/slack/circuit/star/di/CoilModule.kt | 7 +------ 2 files changed, 2 insertions(+), 7 deletions(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 7a28eeeed..d85cb7f7d 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -10,7 +10,7 @@ anvil = "2.4.9" atomicfu = "0.23.2" benchmark = "1.2.3" coil = "2.5.0" -coil3 = "3.0.0-alpha03" +coil3 = "3.0.0-alpha04" compose-animation = "1.5.4" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository diff --git a/samples/star/src/jvmCommonMain/kotlin/com/slack/circuit/star/di/CoilModule.kt b/samples/star/src/jvmCommonMain/kotlin/com/slack/circuit/star/di/CoilModule.kt index 66b29a14f..e33f224ef 100644 --- a/samples/star/src/jvmCommonMain/kotlin/com/slack/circuit/star/di/CoilModule.kt +++ b/samples/star/src/jvmCommonMain/kotlin/com/slack/circuit/star/di/CoilModule.kt @@ -38,12 +38,7 @@ object CoilModule { // Disable noisy logging .logger(null) .components { - add( - NetworkFetcher.Factory( - lazy { httpClient.get().asNetworkClient() }, - lazy { CacheStrategy() }, - ) - ) + add(NetworkFetcher.Factory({ httpClient.get().asNetworkClient() }, ::CacheStrategy)) } .build() } From 30b5de7eedf5c6fae4c2774262cc8a0fbc800bdb Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 4 Feb 2024 18:17:59 -0800 Subject: [PATCH 008/123] Update gradle/gradle-build-action action to v3 (#1157) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [gradle/gradle-build-action](https://togithub.com/gradle/gradle-build-action) | action | major | `v2` -> `v3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
gradle/gradle-build-action (gradle/gradle-build-action) ### [`v3`](https://togithub.com/gradle/gradle-build-action/compare/v2...v3) [Compare Source](https://togithub.com/gradle/gradle-build-action/compare/v2...v3)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Disabled by config. Please merge this manually once you are satisfied. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- .github/workflows/benchmark.yml | 9 +++--- .github/workflows/ci.yml | 30 +++++++------------ .../workflows/update-baseline-profiles.yml | 7 ++--- 3 files changed, 16 insertions(+), 30 deletions(-) diff --git a/.github/workflows/benchmark.yml b/.github/workflows/benchmark.yml index 454170541..47cf9ffb8 100644 --- a/.github/workflows/benchmark.yml +++ b/.github/workflows/benchmark.yml @@ -40,13 +40,12 @@ jobs: distribution: 'zulu' java-version: '21' + - name: Setup Gradle + uses: gradle/actions/setup-gradle@v3 + - name: Build benchmark id: gradle - uses: gradle/gradle-build-action@v2 - with: - arguments: ':samples:star:apk:assembleBenchmarkRelease :samples:star:benchmark:compileBenchmarkReleaseSources' - gradle-home-cache-cleanup: true - cache-read-only: false + run: ./gradlew :samples:star:apk:assembleBenchmarkRelease :samples:star:benchmark:compileBenchmarkReleaseSources - name: AVD cache uses: actions/cache@v4 diff --git a/.github/workflows/ci.yml b/.github/workflows/ci.yml index c6def43e5..ef45737aa 100644 --- a/.github/workflows/ci.yml +++ b/.github/workflows/ci.yml @@ -31,11 +31,8 @@ jobs: distribution: 'zulu' java-version: '21' - - name: Setup Gradle cache - uses: gradle/gradle-build-action@v2 - with: - gradle-home-cache-cleanup: true - cache-read-only: false + - name: Setup Gradle + uses: gradle/actions/setup-gradle@v3 - name: Build and run checks id: gradle-build @@ -115,11 +112,8 @@ jobs: with: xcode-version: '15.2' - - name: Setup Gradle cache - uses: gradle/gradle-build-action@v2 - with: - gradle-home-cache-cleanup: true - cache-read-only: false + - name: Setup Gradle + uses: gradle/actions/setup-gradle@v3 - run: brew install swiftlint @@ -152,13 +146,12 @@ jobs: distribution: 'zulu' java-version: '21' + - name: Setup Gradle + uses: gradle/actions/setup-gradle@v3 + - name: Verify Snapshots id: gradle-snapshots - uses: gradle/gradle-build-action@v2 - with: - arguments: verifyRoborazzi - gradle-home-cache-cleanup: true - cache-read-only: false + run: ./gradlew verifyRoborazzi - name: (Fail-only) Upload reports if: failure() @@ -184,11 +177,8 @@ jobs: distribution: 'zulu' java-version: '21' - - name: Setup Gradle cache - uses: gradle/gradle-build-action@v2 - with: - gradle-home-cache-cleanup: true - cache-read-only: false + - name: Setup Gradle + uses: gradle/actions/setup-gradle@v3 - name: Publish snapshot (main branch only) run: ./gradlew publish -PmavenCentralUsername=${{ secrets.SONATYPEUSERNAME }} -PmavenCentralPassword=${{ secrets.SONATYPEPASSWORD }} --no-configuration-cache diff --git a/.github/workflows/update-baseline-profiles.yml b/.github/workflows/update-baseline-profiles.yml index de604c71f..2992ed1f4 100644 --- a/.github/workflows/update-baseline-profiles.yml +++ b/.github/workflows/update-baseline-profiles.yml @@ -33,11 +33,8 @@ jobs: sudo udevadm control --reload-rules sudo udevadm trigger --name-match=kvm - - name: Set up Gradle - uses: gradle/gradle-build-action@v2 - with: - gradle-home-cache-cleanup: true - cache-read-only: false + - name: Setup Gradle + uses: gradle/actions/setup-gradle@v3 - name: Generate baseline profiles run: ./scripts/update-baseline-profiles.sh From f95c7107990b22bf30d31f4305f1f2abcca8bcb1 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Mon, 5 Feb 2024 11:37:25 -0800 Subject: [PATCH 009/123] Update plugin dependencyGuard to v0.5.0 (#1181) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.dropbox.dependency-guard](https://togithub.com/dropbox/dependency-guard) | plugin | minor | `0.4.3` -> `0.5.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
dropbox/dependency-guard (com.dropbox.dependency-guard) ### [`v0.5.0`](https://togithub.com/dropbox/dependency-guard/blob/HEAD/CHANGELOG.md#Version-050-All-Changes) [Compare Source](https://togithub.com/dropbox/dependency-guard/compare/0.4.3...0.5.0) *2024-02-05* - Fixes [#​82](https://togithub.com/dropbox/dependency-guard/issues/82): Feature request: suppressible logging output
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index d85cb7f7d..a185f80b7 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -68,7 +68,7 @@ agp-test = { id = "com.android.test", version.ref = "agp" } anvil = { id = "com.squareup.anvil", version.ref = "anvil" } baselineprofile = { id = "androidx.baselineprofile", version.ref = "benchmark"} compose = { id = "org.jetbrains.compose", version.ref = "compose-jb" } -dependencyGuard = { id = "com.dropbox.dependency-guard", version = "0.4.3" } +dependencyGuard = { id = "com.dropbox.dependency-guard", version = "0.5.0" } detekt = { id = "io.gitlab.arturbosch.detekt", version.ref = "detekt" } dokka = { id = "org.jetbrains.dokka", version.ref = "dokka" } emulatorWtf = { id = "wtf.emulator.gradle", version = "0.16.1" } From 208bd22fb2e307919ec73a7ec19e941a12031568 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 06:31:50 -0800 Subject: [PATCH 010/123] Update dependency mkdocs-material to v9.5.8 (#1182) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.7` -> `==9.5.8` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.8`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.8): mkdocs-material-9.5.8 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.7...9.5.8) - Added Tamil translations - Updated Esperanto translations - Fixed relative images not being resolved for instant navigation
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index c1ba00164..74d731426 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.5.2 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.7 +mkdocs-material==9.5.8 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7 From 4f770d4746d682384f6a74a02466a35ccb7e362d Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 14:01:54 -0800 Subject: [PATCH 011/123] Update dependency androidx.compose.compiler:compiler to v1.5.9 (#1185) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.compiler:compiler](https://developer.android.com/jetpack/androidx/releases/compose-compiler#1.5.9) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.5.8` -> `1.5.9` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index a185f80b7..ea36648c8 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -14,7 +14,7 @@ coil3 = "3.0.0-alpha04" compose-animation = "1.5.4" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository -compose-compiler-version = "1.5.8" +compose-compiler-version = "1.5.9" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.5.4" compose-material = "1.5.4" From 16e1aa58dc4549cdf61996cdb6c05e47b4d449d7 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 14:05:13 -0800 Subject: [PATCH 012/123] Update compose.runtime to v1.6.1 (#1184) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.runtime:runtime-livedata](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.1) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.0` -> `1.6.1` | | [androidx.compose.runtime:runtime](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.1) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.0` -> `1.6.1` | | [androidx.compose.runtime:runtime-rxjava3](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.1) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.0` -> `1.6.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index ea36648c8..f8fd07e37 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -19,7 +19,7 @@ compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.5.4" compose-material = "1.5.4" compose-material3 = "1.1.2" -compose-runtime = "1.6.0" +compose-runtime = "1.6.1" compose-ui = "1.5.4" compose-jb = "1.5.12" compose-jb-compiler = "1.5.8" From 6e6b183b0fca9e3a3df4d99a1c201d6d2fd300f7 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 14:05:20 -0800 Subject: [PATCH 013/123] Update dependency androidx.test.uiautomator:uiautomator to v2.3.0-rc01 (#1186) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.test.uiautomator:uiautomator](https://developer.android.com/testing) | dependencies | patch | `2.3.0-beta01` -> `2.3.0-rc01` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index f8fd07e37..466f231a5 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -155,7 +155,7 @@ androidx-profileinstaller = "androidx.profileinstaller:profileinstaller:1.3.1" androidx-test-espresso-core = "androidx.test.espresso:espresso-core:3.5.1" androidx-test-ext-junit = "androidx.test.ext:junit:1.1.5" androidx-test-monitor = "androidx.test:monitor:1.6.1" -androidx-test-uiautomator = "androidx.test.uiautomator:uiautomator:2.3.0-beta01" +androidx-test-uiautomator = "androidx.test.uiautomator:uiautomator:2.3.0-rc01" anvil-annotations = { module = "com.squareup.anvil:annotations", version.ref = "anvil" } anvil-annotations-optional = { module = "com.squareup.anvil:annotations-optional", version.ref = "anvil" } From 63cda94e40f4e5a5f6db533ba1720ca4db040a45 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 14:05:34 -0800 Subject: [PATCH 014/123] Update dependency androidx.compose:compose-bom to v2024.02.00 (#1188) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose:compose-bom](https://developer.android.com/jetpack) | dependencies | minor | `2024.01.00` -> `2024.02.00` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 466f231a5..7b963cf6d 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -111,7 +111,7 @@ androidx-compose-accompanist-placeholder = { module = "com.google.accompanist:ac androidx-compose-accompanist-swiperefresh = { module = "com.google.accompanist:accompanist-swiperefresh", version.ref = "accompanist" } androidx-compose-accompanist-systemUi = { module = "com.google.accompanist:accompanist-systemuicontroller", version.ref = "accompanist" } androidx-compose-animation = { module = "androidx.compose.animation:animation", version.ref = "compose-animation" } -androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.01.00" } +androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.02.00" } androidx-compose-compiler = { module = "androidx.compose.compiler:compiler", version.ref = "compose-compiler-version" } # Foundation (Border, Background, Box, Image, Scroll, shapes, animations, etc.) androidx-compose-foundation = { module = "androidx.compose.foundation:foundation", version.ref = "compose-foundation" } From a08f4acf2e8f8e0e5ba4ad3f1f999596ec73156b Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 14:24:00 -0800 Subject: [PATCH 015/123] Update compose.ui to v1.6.0 (#1145) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.ui:ui-viewbinding](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-util](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-unit](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-tooling-preview](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-tooling-data](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-tooling](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-text](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-test-manifest](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-test-junit4](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.ui:ui-graphics](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- .../dependencies/androidReleaseRuntimeClasspath.txt | 1 + .../dependencies/androidReleaseRuntimeClasspath.txt | 1 + circuit-test/dependencies/androidReleaseRuntimeClasspath.txt | 1 + .../effects/dependencies/androidReleaseRuntimeClasspath.txt | 1 + .../dependencies/androidReleaseRuntimeClasspath.txt | 1 + .../overlays/dependencies/androidReleaseRuntimeClasspath.txt | 1 + gradle/libs.versions.toml | 2 +- 7 files changed, 7 insertions(+), 1 deletion(-) diff --git a/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt index d37e94792..3373bb38d 100644 --- a/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt @@ -8,6 +8,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.animation:animation-android androidx.compose.animation:animation-core-android diff --git a/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt index cc23a9ae6..0a653330c 100644 --- a/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt @@ -7,6 +7,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt index 12b2de9ed..f55119b4f 100644 --- a/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt @@ -8,6 +8,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.animation:animation-android androidx.compose.animation:animation-core-android diff --git a/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt index d0d0d72fd..0d5ef9932 100644 --- a/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt @@ -8,6 +8,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.animation:animation-android androidx.compose.animation:animation-core-android diff --git a/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt index 81b983684..30f56ddbc 100644 --- a/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt @@ -8,6 +8,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.animation:animation-android androidx.compose.animation:animation-core-android diff --git a/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt index dcda1411d..0cd10f96a 100644 --- a/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt @@ -8,6 +8,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.animation:animation-android androidx.compose.animation:animation-core-android diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 7b963cf6d..e1221cc83 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -20,7 +20,7 @@ compose-foundation = "1.5.4" compose-material = "1.5.4" compose-material3 = "1.1.2" compose-runtime = "1.6.1" -compose-ui = "1.5.4" +compose-ui = "1.6.1" compose-jb = "1.5.12" compose-jb-compiler = "1.5.8" compose-jb-kotlinVersion = "1.9.22" From 6fa7a4deba426c7bdea6655a275f397bbab14391 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 14:47:43 -0800 Subject: [PATCH 016/123] Update dependency androidx.compose.foundation:foundation to v1.6.1 (#1147) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.foundation:foundation](https://developer.android.com/jetpack/androidx/releases/compose-foundation#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index e1221cc83..6c0407564 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -16,7 +16,7 @@ compose-animation = "1.5.4" # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.9" compose-compiler-kotlinVersion = "1.9.22" -compose-foundation = "1.5.4" +compose-foundation = "1.6.1" compose-material = "1.5.4" compose-material3 = "1.1.2" compose-runtime = "1.6.1" From 6825e3c0aa049025a79479c3295822da6e7d4ae3 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 14:55:56 -0800 Subject: [PATCH 017/123] Update dependency androidx.compose.animation:animation to v1.6.1 (#1146) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.animation:animation](https://developer.android.com/jetpack/androidx/releases/compose-animation#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 6c0407564..a6d8734de 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -11,7 +11,7 @@ atomicfu = "0.23.2" benchmark = "1.2.3" coil = "2.5.0" coil3 = "3.0.0-alpha04" -compose-animation = "1.5.4" +compose-animation = "1.6.1" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.9" From 4229d0fb2145dd100f34946dad75e0bf260bfc78 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Wed, 7 Feb 2024 21:26:36 -0500 Subject: [PATCH 018/123] Add a couple of inline screenshots of the tutorial UI (#1189) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit Screenshot 2024-02-07 at 6 18 37 PM Screenshot 2024-02-07 at 6 18 47 PM --- docs/images/tutorial_detail.png | Bin 0 -> 64832 bytes docs/images/tutorial_inbox.png | Bin 0 -> 51949 bytes docs/tutorial.md | 27 ++++++++++++++++++++++++--- mkdocs.yml | 2 ++ 4 files changed, 26 insertions(+), 3 deletions(-) create mode 100644 docs/images/tutorial_detail.png create mode 100644 docs/images/tutorial_inbox.png diff --git a/docs/images/tutorial_detail.png b/docs/images/tutorial_detail.png new file mode 100644 index 0000000000000000000000000000000000000000..f91d06d4c5b19efdd7e524762f4a40cc000e593a GIT binary patch literal 64832 zcmeFZWmwd2)HRBYfvA)cA}S!Qgp`1QfOHR%qf#<-4mF^p2m{jH3^jzr(4in8?a)2a z-5oP?ZvM~vem`H%b)65-TvEcX?$~?nwbq^>H5ECs8?-k_NJz-!-@efxA-OC>LPE+( zdJ+83t7t3}3CRTx3u$RJO-qXpBqYzm5#J>gn_u5=^^Wl&Uc+LUjA>BpOKIHNoFekb z_s$Ca{8S0|BcdKx9bY-S<5QMNT605$)F<(u+?{K~Cs~qx%nfZGhqa3jH#QLI&jT{v zUF{8P*28?H9}GicRb~0Fei&7M?e%AWH^m)CP1v4qaqSPXDui~J<+eGa*isxdZCEGX z9zUKoqW?XE_LDBFU~Zs}onW%LRl?vGM3kwUcCK+bu+63?ZoOU&bx5&R2_jv3Zy)+g zoFf4}=H?XCA}0KCEaPi}3j5h& zY|#)}r`S9!1?fXOn#HVvI$OsN-q8ZLsm2C=xpC^8%I_EVWCLa}F<3=L_p;n#JX>{B zTpMSYrjd7>QMeAiX~guqFiYRU!otxg!FX4N>i(I(&o{k7qe?HsLz_uD{!eQ0?oJ|x zo>Fzf<~7wdS1w=HG93pO$dB;K)nFFA(32wUanLpTJ)24URZZTHA6p%R94Bphg$D

sNPHs#JRT$)A9Y#`6^ueZ+>eve&&4>?<^O4b9$Jt5_%$`Sd=HU|AmZ0@Zk{Wb!?8m-P22sxOdk;<&FGn{uH3_T^QBqT{ke?oILfy^dRdPE2{Q1+_$#-leYZgE@ z4)*AKeYuaJb;Mt%0hl^YZm@Xpw=e?qRo}pK$&A zQxcVw6djH6oZoRQS@gRj9dOGH_EYnQzm&U_Y-?s3uW3h=i1SL6R&*jd(e!^V(HX-N z92Au2L!;N=>1JePlsbjT|A%>`Dj<>jl!e7+vPPRYg2meR`N^xOsGyP>jTdht6z)o$ zo$dBYN=g>$RYat0ZB0uz&khyp4d-j4JI2oMTpHZDma+nN{Kp61;9$kruiV-P-@ZrF zitj0+GzyJs$LxgM_m)ofS7W{8Coqp0>?&<0c}1pw`CdD@#?8(B@Zm%4(U)Mc(AChw zF|Cb{=Q0DXMK4Wag9PvGhmA{2HCVN=j*i^={$QS0!C{g*;wRFRY^ud^0Q*0J6=bCuKo1nq$kmMDBuoNcK@=INV0m6HuUbi zhVf$V+~Q)fUVVq1kp0XXLBYyEaz+u+^H;3HhxIYcVxtK0AbGq;rRTzh3$h3n_Gor4 zE@k3KZ?7t8`XFp`s{Zu(Y&ux@TU)s_YQ=je9R25yFz(>&oV?#v(2~l8mWxJo%=jt!**P*!zu~9IoDDSZ!%-ZK6=W z(hG4K&D-9_Td%X2`=MuvymZ=6*pi^3Ij9JTYb zKul=>kzv!QesW^s=((BWfh`eltzY?TXJeweY_5$tpr`ii>}LtsokmL_ z5Jb|0gUdP|KJvXvwt}q>6o3saJAuF|7->^vSb1=GsS&Nko=H)zXDubwG+Jhkz=D%&f#foVv==5|FN`yqtWl4rDR%U_MW2+%alR6Yj`=|Z~DFw>vsfn z6&PTihNGsr?EE3i^LP^dfL^%D@r`+~&bV;K?!Q03sEZ*v{Z!P{*;!duxDtFPPh%Z5 zyfBJSQ$vGriX#>o)rtrUSEr@@oI!qxhrJK$K>ns%9WIWIaa!&(-TL0Xft_l`OcpO;8Lm%8^auS&YQwYM-!pw?Bjtj%8bK&1ijc>H~wGQw#JWNcI#F4?l zeSaFGrAag#gu(i{x|N|qI%?{na^3!sk&&h*DW*3NvzW>-xSHDc_-GF|HyNkUPuL8Z z^cuB1tsXZw6?9DDD={%cLql*Zm~X#|+ejp`ySJA{%EZ(Z%$k7BKo#sfbf`ts)6?r! z!WbwhGKn!25e5bZ3*E_!%gegQ`M35M*eY#sV^sB);}zC@?X3&XI63R=rkgNFmS4V{ z?*RqWyg8ggOF_Lqz$y9G%~z>8=Xgx=F_8ruXjC zyXLfjlQuyL+Zf*QEJ|k7%F7Sdb#-;Oq8I1pv=IO0Mp>|!v!G>=t|&H5&Z@3hul;Gu z?cs(~LM_H}n0oVVNm-erlarH!1Mk?M9_)Xwxu2&{uj6@;8^XkB5>r!q5C3RqUcE}y zJj)U$z-Gap-k>vw)gF~;h2#&e=vUe>v$E1kuGl)XK_^jx;$o7ky( z51peO@EIPo^zqk$iJ95Px2gS9;u$NGxTKzqt?lN&fBzO1h6>!uN{rjYiD$c#$cM-h zxPwE2IO61Jdv?6sdUkDX?ccxmQSbWt`y25G<5XzKE6=0v1sYdiYvSxuU;A>>6;lUc zn1D8b9dHPu;SBN()0?n|Vy&SMEGaRAFy{$OmEJ?l%5X8X<$SY$&v}vA_H1_udJ zC<^b&&LHJ<++Nkd#zU=7q8|GR+5LOHyU;z3vCfg`>g*JCUHX?U9T*WA3F4Tr&6-f8 zfF))uF-VXsFkoGc9d{nZN8JzN&1n!7O90iFrk+UbUs{zo?J67k6e6DVELwqwr}+E# z?>~P0FjGzx78Ol&t4>Zf1WCxcX^fObrva>Kl77J+uzq2q!7jR|CzkM6|J^YF6R0Bfvz`$y)`d#Mq%O4T6N0n!9hFNcg=@h)P zClU~u6ku$?_aB7Tu$h5-lV*E1w{P9zf92xfurhJni$vbIaU+Hss^@7l1me$7fv&Mo z$P)dBUljn;{?P?nAtNKB>y!VbUxbmUOx0qh_l@GtMUxW{&| zlxnsi|25f!Tni3ITpKMrVOtXx7H$h=ptvzTx0E#q)6~=?3LUhS&Ub=Exz8$i3npZ? zcYpcB5J1~H$4wOlhi`Wt^YWGgRM9t8@4mmnAnKyjC}$xn+d4W@c02Soc=`MLx3{;y zkTZsW2a4loRO5NSwp7xm9L)Y7Qi~I#DYz`z( zPD)ZbkV!#`o$e1qV@I#b$+hV~-7rUom!r>d?dLNt!-n#xLPZfdrxbv8v@6=Oy1KfG z8}TRZP0slAva($;6w0Apl_|QtJ^5Q0oF^XnKiTe`dUF8TdC=%Pyp_-Rj@UwD#2Oe7>4ziAugs3e0;cAd!v*I?-B+qW@U ztBOp}>zHYQSf4)&y&s&Ei2t`K%jgUO{*>NUjMMu%vKM=b3$TU1JZ#Yl(RO0z=nxb{ zp`oG9D+3l2xh1HfSOA!7!(E>U2nYxY4uk3G?JZVUd(!OwyW+poS~D{<%hOzN1kg#; zyeOLGZ>)}rN>5Co{%r;klaU&1PtQgPOPF$S0wh}3KOKt7J(j!z_Ctlk(}h1f^PT%) zIZE*#cdzfAWBy1d4vWDRZMY5Y1ud zdmEGbq}W=xt#B44(;Ij96CEhRnPVBUec=owU@orpKt?YiubC?4v8!w`4d9ZWsgMuE zSe`#uV*#ZD$mV6vC&ca!~LQDPyDn<*>tr( zCKjcQy#I$Q_`oX$F8IF`!v8WT|4ShKzvIu;$7(=wyZNr(tZ?s#H_^+hp`ik%L?z^O zwAGy`AJ7Z{J;rvpCt&>o$vXowa`qQ;VX{seR;v(_&x7@ZR=U3CgY~h&wX{6Gz>DJ-? zwzGqS)kIav6(}I2bcj@Do}QjYUJZ9LOoJDSifoXyS9G_u^NXS0cxU35OYG4r+ii@D zFFdO>bR&s~3xht>l`)c;vXX$9s(_J`{PYw!@Qo5jEisZZ!8{@I3JNO{??0=jM@IHz zRN6S@bd9l_dOif!?*=?Oxc}*qEKQ z1`F&cvL3N5%q}n|Ax@IJ4Qtx8)KG|r6zUaXKe2lrw@2oH$2I?T00^~b4;4w-Nz@Fr zPI1Fol##MX`q3UHZ(P_57|@T;@fRLFxUet?(!f z-pRQj3Y^!WVe|F^SE8uPt>V`*c@`F{f>z&SUI}dFZN_ruSzYo6WZ0jMjy@O$5Tt;s zp-ytQsZT&Fsi29}*H$RExv%n1n#ySclMd79f`^de(o z@-^}Rs;aB+X5eHE6h&h{0e-O5(P6;f|9?o;=tfa@k>ri(=0JcJX_2ihEiFC*bnng( zD0Ac~AX)nQ&Kbp|a(H{+XY&I4{(EH4* zL$-0E<|=^l>C_(t2uGVedfM*j$A=390+mf11TE%rcEr=THd$#4ZQ5TAaDWR|e*OA2 zMXcs<6W4gov>EIMAnA&sjUR;S>}PAR*EjLI^`Aex2S^iZoU;KEaq9VU=^8=EWx{Tx zRA%?jpSK@6+EP7Xu516&l6H4G1DXMi%peM1pRDA0d4P=(*suX-bza40%FU&HnMc^7 z2Uny6Z?As~C75oCFDKjp1fK8J+W;lXwQbqq-^P_+BlkL*RwsDYAx^~+?y;+wkhk7S zOuu(~#TFM9*!_eM3ta$rS8k42jNEbjz4am0`#@KI|J|mTCO4RYwW<2WkrIj9^haXr zzb;8vYvfrC7g>kdOaeM~6p*Jf$E>iNoSe$-*W)gDe%Z3D#Pez1g1Z=Rh$QG8jlLL=Qs zl9r(M=_Xeh-FvDhsQW>|!K?knjnhADapH;%L;~ixxY)3=N9~B) z@RpeOv`@Op;5RBz@~@88hNWl89d2;M@bKkSl$je#7?v;n+-!_>2n`PIR^5O+5slU=TRdAt~{QC83&tnJT z1=R-~i#_qXJBmCB$5Jfv=QEH;(FPV_!^z63DhUZ9L4j=p ze&dwU>zU(pEhu2>4^}w1^egzw764WhupII_Th0NTIw}=ZPg`z|i&w8+jd2LYLXT3G zmO#eQokcJgxIkxSXK`+aj3}K`6C%O3PFzAr=qMSEGu)ZgkUmZm_I;@LSxw ziv=9mkGgg2C;n6fp#_xAibT@KegMLIY~smfkqLhNe6QlMovQT$;W{h z`AvAw7b6l7SZRfAQgc1-h^AmwjY6k%CkF5FDaG^4=V|2+&fjD|K0dbPGB_GtOilEb zx3XFb$uXa*h4(@PbWm||aqXHJHn?izh2xvl1pM#zNL1?XZm&dd^5M4+|Dfk=Z}oNwNCQSHe{kUA4yu6IPE7oZssG|tuWS0BoB?*)iu%JCxWd+~e= z!$1)bFka}g9z6>bkHjF z23w0#b#=8AsfWj@d?ZUl^*=7@W3W^JiELuVoR^nJ_tKh|9jw#c=oBOYWwcpyO`Ah7bm;7s;Z5E>Rb`9L_vwrIwy;s2{*9Sbl4S>;wme`ORlamvzNQQBYrH+Jz1S@OXULZM- zVcp(tg*C|f)Ka-x`DAp0dRu|)HlsW9ebTC`y#Zu&?nC*}(aGAL3YGg)d<&huz25VK z!y8jvJJ)MrqGo?JjFD%D>L(88mZQB2nPw1)D>&Ym z^w7-6rj_{$m>qcvmU2s6&v0AY=%_Fk7Z*3TP4}2{;BA^^5mzt_0c5^o<<~jN@O_6r zWTteQV2AS{F!YK`jOYG15z%DW`69;k;vnLB>UB=cGv~ynw1~q^3$-eRVun zOLXns5}OY|CNA{E8!y}%UdrfSk_)5FYy1KD=Cc^9@d{9DdPl`5Arp2w>fHMD7Zw+3 z?%m_H`!8`Ra7$8(A?mG*o4+qzYD z(?8OsL&Rl3xPSr4~n;PKryfoz<-y-aSS|DY_h_GFpN{yEWvY^)nsxAQo%3u2GEr1Sw?a9q{`7 z_3p_vf3se7d1Yk;zWYjF#Do6q`rU(Z7Tb6Y3yIU?MQEJiT<{>d#EB3qYbCp7MbKvw zBF1tk<9K4>1i78n8c;u7YkZ~K~xvsX;9(U%y8VQ&G>jiLQn{7klXLfl)#CMlR z$H&1_6&Ydr8t-vb$MZb;Nz75E1IcFn#}74Wg}XA1(=qMIgUe3;2?}*bO>5h;tqFCK z3MhQYaz72XtEQgo+Q{}h&GD=aTqEw&d;mFdznI3X_vM3Els8(oJ~TI+Zs=Ql01;_p z(hSd0@$a<5{g7G2eHcg$SS;lpf^3tK4s<+M|9VtM? z-|o!JpcD(6$M`|^Q}FH(pwx$C^*bW72Z{}>hoVkEKs2gy#oCS3Xrph35vv_SkHy$m zhl*n>vXm2l2u``yN7>Wd@SizeOd+#5`?Q@gH#hf0E>z33`{nk&4ix0C@+gV~L0fUF zB{d6q`F^^gB95JH5l+sv&6`A{6SZ7wE1L!ED=H~K>71lT-Q-Sd}v0uM} zvqZb;Z5oN80?m6`sU=vsxi=1duc4TE>YwX3ddM%kAFSyv2uBYvKW_T;)zE&Yy3E3& z)p!~Z+?(25ji%u=GlEBa=KlXY z9)K7-(;3V2^RY(!iwxt%P#kYBR`c1nGeMncrZg6pOM%@l6F#@xB=GYtWnBe{T^WGK^8AOtMmiRUp+rGW|o0gVlRNpmO zUgC^~^r3ROHsTw*Id|!gCv?rtXT!=K#K(g|83h%v8u?pc&FKF^Rh1``!s~QhaC!PK zlQgZM4QH1chykGDdMmNS`kOUM{H)z)lVf#~CNt{Zy?cF`a^#LMYAIKD_XIx8mZ^rf zYHWPa3nX*W8)EE0ISLlX{~jvLjmff~X(!-8^0*b4=ykG8z@MTF=olEdlE+1C*6uHB zIYhfjHy&)_c*N+1Kfc+1ai3+d7%IWJrcR^gqN1Xqp)ojMMS)>n4T^3mTQVWR=p`pw z)@@+{ltBghK6%m&C3c*Vf2E?hqb3{X_q{*4(6F|m{F*f7sxf~afZ~%+fs%$)5i)W@ zY&kfaINu^CkN(rnW{jh|*-%^nhxQ~1bBNK?Kd>NF6-+k=#2_N>0Bv7{sRKI%RU#qj zVm*9F#q@hgJ=5>b9y%)4>Fx)h*w`Dlc{Q2@5!4DHn`2aB&akNVn*y{*Z0`1l=5JjN z>UkZv*@5`{clt3dI)M80FXUS`6H`e^Sk32|SqdLt-$KK(E-E5R)ltApxiISZ>v-4G zgN0$+9+Ic%(!ON;T)&K|S2m55tD9TnSzmB~w2scO`V-lLcbE>fov=efJjhf6?DA@60sZ;|)+-E1Ftk43?tE;?*N$XS<~?>k z-KJpWHmWfZ0(Fc>X5JNlv%TD`tgNT3tcr@SCMJOx&}~&$2@l77?q?LIb@>SD%G#u) z3BT206tkoxne|}YjURoEfrv4H^r3cld{ts%>al~&;!{5#vMsf4ZOi0#=n z`0Bx%cc0>fHQBO2!Dn7>D-YCzPHkW1cbiZHclR1~F`zKye&SP{otrZ`O4MOrR=@BW zmg#<(N?i)l-qm%sw#zeAXxMzCrRBl8;vH&g+J{rWesCEY7))R#LTQnYhWW;jUNgUg zWO10pvK5`}-WR@C$zQl-3pPe+29X)-WD>kRM+e`99 zm2Lf(FAs4y6?`zVvgT}nUG20nkgYsERH**|Nx{b^TKk7==kSoncA(_?>SXNN$HPAg zoA0j47l-?nj-3@>Bl&(xPnCzwl%+~7c9@=NDVc3GH!~Z{l6NqpWCiKNZ<`{ES%PY^ zOA=IQZq2Q7wO9{V*S*#8wkk6|2%h(3p(-LPb*n(f(OJhc@`j_hSZCm^&9%=LEz&vxt{VBgB04=g*Ht@ehRtKF@O@a(hE~4kGGMAAyJ`42XgDTEON?9R=3?;bwMVB0 z#foo!SEN=J8P%J$_b~#OhWSnsD6|ADhYNLUH%k8f(=AJR@X{%_UBC|M^_m0mtWszd zAKcl^!E1?YYim=WKxI)Z{WslNC-@E)wAMSYepx~o5BCMbT&kylp1Zf)e=87%F*C(Z zE(PAsJGxJ<^&-x;BOe^ct zx|6Xpa2muJHV|M6+1@cKLslKbHMCzNZRVroSo6BEIMhi0IrXB6Ig3_?;QDZ}ZKD?g=eD@cp;PobMbvv`AWu4woNCid*llHCWSauQ4IL^q zRkWzC)eomL>3R6b;eGw-V?#be((veL6a*a&A-&i4kP78?lj9P}T$NM)G9P<@aEM-v7IQ(v_Q3&fLYHHw$mU2T4YvX2V>O|7 zb$3yJmYIZPNDb-x?Gak*?dB9Bi_zSBtZu$%vR3Nr($b`C{}M-;3oKd08Pxh&%;3lZ zJ8NxCM`v?eTO3N!uY3+Rp{*~FeKCJOd4G5JbZ$1x!)cS7YogjRcJFUzr(%tA?VZQJ zLdcA)dcZ({Iwivq++Flk$@DZs4PMpN^_pefWs;w?`Ea$nCeb^Nj*iJfC4WR(MBy7+ zXaNqL;t1;74_;OA7H6nEJK5XNp3`<&FHrK=R&yk~L#;RGxRoN-80WnX7+B89q@D2I zWMvhVsZwY3bZ>?AIB*EY>j(=8DW&kM>p85A*k`sJiojQ%ioJ3#|0BDP8ZR^N72RyG zJaSywv)C;zyoH{My&WdOEjCdLPdy$^5q2EX=mu)BCWf5dr$EC?mdRwkLmN1-Y8>XV z@OZ@O9(RM8x*Ld(>h4vDwjMD0+NCO%!v>QW@4EWEtxEjqIpMZ|X8~P*?0H%Y%r^*RCm&12zxa!)_St;$}TnI(UXEs<4`@nQKD@NVE(yRz3vb zb1QVZuh|fb1uj4{BYjhKGLrWk0!+E2r3%6V)??-HVmW9yi$Noy)u%FxHH1#IVnk+s z2s|HfQ@vFb2Sn1Ygkkb4XIM)|G)rT9g;BSAi=g9Q7`jcNbRCqkqZ$6?bAaP{zSz_m z%cGwoGjF^uYMK4>=j+Uf-No(|8{RR;{@&i+PrcnmhP4WT>OlOo#+5WDCD=~94VkKM zvs(g5$SJe%9N^bUS7G6gB{+3IswBVMB)LqY^@aAH)@5B(5`f1~#G-ma$w;?0jhu23 zEr3+)IvH28Xa`2MhLaOZM{zl$Y6s^9T#D}2P?I1H=O4C;7Zv-kA&v%psI%KmP_l$E z>X;N(P;uzU%E`rgX+t1GXT!K3X0=_W;Eq{V?UR zCr@St-0F-kkU+E@eZVG(k^^RvGdx~dT)?gGsp5LPnCH>f-@j@W?X0QXdgZS6VC%}q zk}`q9RKRSaYG6Q%>39C1W%e6oF7a2b?gBTN0Ba0hSobF7xq3VonCu;q){U4jM|!_fkYego8s-uLxqPk}NI;pQLcS>$Y+>iwE4<$CK#x*)|^ZaNVw@SLnxSdIPyck}MU-xP+(YzJ#lkstjDrxUd9 z^Im%iOgP)y+h9&D1_mrfBOdy;`S_-;;fh_mZES2d>vk*3=bBoAn*+j*4#qb_vdv9Q zOssGXh^4K&=LKU-Bj#UsE0Rw8NDh4;fO~TCuu5vq?=iqb7QGjW-)=)m2arj)twbGj z4Z|=zbw_={JoRTSM7+nZrba*+X*KpRk-R3r{tfA{9Qq`QBNC7aPoTcn;G@vj;`f@<@iWieGk(4)d>P6-spI5V-;nVG%{1S7Z@9-H@r@J7?xSz>Xxh|3q(q#yDlbI&d$#A7BN0;T(rsdgUzEV{t;F&z-MhP8Og`m3+bx&cQ|9O}MI3HC{{X~m-?QBG z#KhC&T6j-tqgowtdien#3l#&0wkg0>;D+%NWxZbe&f$b-iuK05t*sjoAzpPJhf}R& zbWqQ2{~KCYNOC_4JkS05QP&ikle(n%Xb@0utfz-KL#MATao9{Qf)xH_->@DwU)C#T z%fAHpM4s${dEHd+jcPzP$CNr(?!!Xq`M1!;jVek?{Oo{2ehpj>xypu5LEZn6V7cq) z=%7=er+qd$BN27yn5SS>0yZ!s?`GGG766MBbk!_-I(h1knr^nxc;xazYIp$0FsQRI zKR-{Xa?;&4S8gyiS4tdeK-7XjU()q52bKLG8swGYE;Q(qPy-gi2lrb)hifRja8U|p z+XqX-nQgyc+ut9)^uu{qHL{z)A_PVPrRWt$97CIW&6I0&1Gp9}fgh;%JMN%G4t2$r zQK9+>lW^d3tM`r)zSz;;zT7_d;4aEx$XNa!3(}rAKTi%E=lr zCPQZ@Fy2F_<$8@?_(L3Vv4~+jM;W=Zx5tT+hk6op_llAMS6pG;4e-Fr0_ZT>ymv;` zVxV+G9jnQ{&Z?SHXW4epPQgkIZBrsu2S%Tq990|zgBVZ?6i^!IL0Us2Z7#0xb57OK z*%`6jLIbpmarEwj7{n=&l8uHY7BG*%%jPf|rkE&bYhyNVJ?2-ai&>E%5`Zk0@@zS2 zYwLC}4cAzObFj?NOc^Q1Bn_(1tLeyI6u$N~fwyH&bO;!~Z28P(H^+|mLLLCrCI4hK zgdaw^M*!R7O*bf(k$`+lx_N=*WzJvf4t(v0fma~6fKUXIHCvuV{+Xva4Nb2e#?up_ z$8WnaKhIp5U^`Xkwms7_P+s2TBP9s0bic3<;sPL0b>dwhC7>4ArQv?c%sg+hC{$Z@ zbmBT(q?x1L8PjKQvSPW5imbpPPS-)Bz*t5}wl0uq#FJHG<6QaJ*p|I^@JVa*g^<;S z4M=D6lV{JK2?>qNnS+C}vs(>oT^4&L*9th1va>4-dOVN*m9QwUfKkso(D#kr2*!#I z^$zE_B#UtAm*;K?vYm^E&ZiY&mGDeiq?M4%Z4xzZUd2cXP@+Y-bzz6Mv| z-g>DO8R&K4xu%QDK|G)N|0#Cw0|Sqw+67n^$Sp}p20(Uj-AZ%fxCQ0~5CM=+z*6+N znw0&ua^@fmce;3L%l%GGP3?WpG4M3YCKlcDgnf?Ziw35Kf-JL*%!_Bycp!Pja6!3& zDxikgBAf#C7L`;0u@pZ!%GAtJRlM02MrS+80vgGp{2x-K$&NN4+CXORlb9-T9NxP7 zBr`Mf=FOYRDW0bX>$<(-wE)0dO#k~M36@{Mlp44j4WRp}Wlq$4*q-@azdl^7c=OW5 zGvJFp0n9{$msb%tH+f(G=435#wYbq{ykT-_2k@`m5_m11M`Bi3q*}7%fi7##F1svW~7s2{jtY!oDvnT;c zOR<+rA}|DmlvqyPQUEFYR4qZDNI_#ay_kDB@aGQlgG;0-U8YJ4s0Cp(JT6WXYzolq z0(@8JX6@;Xg&}}^!9U>apnUjHOsn~3a z2U4-DZ_@ARF*!*+^ZP*~#YV|3HE{2Sgnx454|2)_Z-Sc&g24X&@!bUn; zBe|b4sV}$p`no_ex9-;)#JvNlY1Xv__NYRCV^NQs=N^g`_rL*1mZz4NsS5w#4Gr&P z4kisPNBI5Kt??2~C#5`Cr&KXqGpJ!Fj!m9>Ge2J$*hgy3u@KEV5g%T^x(uINy0`6R`Jc?W5Yc zW9j`VecGOcAk@h9T9+F+k~b>9+^(=WZ>m&F9>`6LIII=%E`#g_-g^8kD*4A|uH8eM z#XjGu^OOAK1cn?+mQM~4%Ynuvzm6egwxBY#1MRBNO1Ni8H3#^U*AHM)YVCUZ?|w+4 zYpqvZ;w0}rOOhR}4l{mw9a{kYJ{C6ouD=#<|g5SRT3_MU}WpkB3^$H=R>Qf>dE>ueSMUu?B zr@%2F5^lWeq7_hUM_-&P(2N~g2S?<_0H6;ny)!d28&kEXTOR@I5b(5kCzvLK#Wyd4g<3YAM_AZSaQZ6wXXO(uMPpBfrOE9(?MWdAs?!S zHCyIwKeR_QNnr?fXGivg`7RxZMmKerHm=_cQ8ctRJX*s<-bMF;sLD;DGFjq;1 zP*HA79-=`4dHeS3v2%)qw^6F##DoDOu*aw*i@-1<%mVve@q8fd0(!$9?r1q$ijpZ} z*IXa-x?5JlOrSJ;zocn#S7&S7oYmB zVS*C565X^qw$?kCAOTZQIA-kjGK4gY;Z0G}PfEYtk^0@%28ar}zKFvq#PG9RdQlh8 z(H&Er*%{g^0twH(42q5FIrmq<%>(z;^71mkQlO z1^b*e3rJDQ4=qc*nopXf_5r)+>+8F|-aYmJlnR@`2qHyFPJRebAgyeufX##uxKSjX zpy}cq{VS(j;64DB@94S?deEyXw*6*!W*+!z7{wiq#xO@~NlD3Atg&pEixX!_@7$UH zP1CDX$tpA+8=lo;5Yzl_*4d^v)TUct=!mich2mpXBD+T9(nEF|05%1#ExHUsLZQ2(Iutqdzc1 zfNo80i+0AgP<(}VBWeX#?URrNAi1z7cqr31;l7e*I{iu7ZnqfMQpG&K4S zCC;9^OdM@fuz=2!q9z_Not%&P_%yZEp81j5O#GQU(IXJNRZ5-_aPDSi+3h^46t*lY zjQqe0e^iE~73hKcn`jw(C*kI>hxEl>K+`kHwHAy4DY|w+ihF} zuY>chO3EanJ5S)qb;a;L`ax4f`jDB4FCi`kuM4$~BR$GxS$(@%y9q0o|HfG4S^mzRYFU>yUwZ0qBdf^I$<$BS!MwI#ol zzXF?t2ib7lHqTLcmm^%uG2rb*nY;<}G{{$YBsIc5SOQ zVJ1J&Rs=W#l)m`Lj1gj6<^-&{V{uHV;{U->c$)ND{ns=@J<;&_0(K zz3Yw_d@i^13q>nnj>>u)PAljQUw~YH<0)$n2tv=n=-$bI7aPgee&vS^EP+xJAotfusT~tELvusnRfd4Wc8~YeAc7~51$DC~;=KeAD?Pda79B4zj5+ef& zh8T=}e|F$9`OO%k+{jym(c3Sgo^R4D)5+1dX|`DdS)>-PrOAS|;< z5a*hiRWuIT3PDBcb#T1c*96Fh=!aUMhvlQO@g{4|D7-v(QE|%S za56WSZDH7M>91twMifx^q8grPfDY^spN`GI+YLuEH(6A{WAzE*yeh3v4`%olFJ3%r zLo(2S-70Ts*_BE>`GWHnqz4+#QKvT%=X-4#2W&K9im`cG?91)IBfJYmFqisaE_1$% zmhs|e`b|ST+??lt+`kPd?Fw`F9!fEGp~qt$@U|ySp$yGPpKmHT&}&7#R_<=TZH(7T8sb^9E^|-gHuXd#&cHcXH?cu{Tlw zC4hwaLPp%B@5)Hi3BF$PgJo7cGIFs^hyXsFc`$E%5x^zlvO1)!7m*z4`0wYJeCycj zIjX5I*x4LggT2g|^FX;yLwTRaBMo8+oP}p|nwJD^M?X3s!a(Z*0xVJdwOh{}BRk5= z%l-WP0GRRKU5CqJrAR@ge>Aa112jydE84neVBJkLI0841O;^=+0I;O0jnN!m1nsx* zo{4HcvmX9<4Zk}8J4tXG4pkB((Ga@Bhzlfy8&cBJqE1VH!EFGKjB=s~25fYxuXA%z zz}ihoOdWgbFZF@Y$wuiCU7gPh=sq7GT40Gr09PJ^h|}}xz>t)5k8{9PRKzVsiXaB1 zsN{&k33Ydx+S+O*eSZ=SKeju!b4rDZu~%CP)QrD$HS{mGyANC3^Q(7!7ydx~xP*3) zNqHJl*s~`!2+68tb{PIdk1PGTw#)v5qvp>68|V%_Z+zI=A|>Ahh&Yp^47g{3Ju+`+ zh-&*ZU0Rm8J0T$MRsYZNaSt4iN63x!wQm!&Aa^hLTmkAiN7)6CVl;Dlk7jmz1IXzh zC-H${^zrlpm_2016k@X;>}UbosV;YI-B~b(fZOkO-#88lxn+^=bQY&q7|#bUYEO0x znVX-l-(I-L^c%R7I$k{>QPTw7f&Kvj3urCi)K!s}2j*By(AFETBcELtd!$@F?O69= z#j~Y|S929o2;P3es66~2Ks%_@Bu-*>Y3VQU92&QUva(DmDJuh^l)_sjQF|?Oh2FKYe z8{!#%Ha@uXXbt)G(Z!6f9vmC>g|&s4^?sP8B}VmdbGf2$vU!MGlwNyvDzisKT{8RP zH=ne$uICh`-rffFMv){;uN|Hz5^a2b3hyY*?3!Cz`s6LK zn@M>oe0{UdyUz1a)kIeI>fIo}rmY|DMgwEin-`-KtVQxmR;bofsoiZI?Y`v^bK2Ns z*Xp}}5iC|AdSruEmCk}fd`X}MnnxlvkqA(atNvcjQoP>z~uisk8 z@Z@CtHf!fC-o>sI=dGWF&Si_dcKOwzqV+x$9~^jwJx`P2-4AMCnjaJ(JY1kkAiFA! zlv?!vym0B3%Sai#INmYron5|Jy#V(@tk5CN_87+79!`4u_Ef#)qP}gz@kpj4HD_F- zeKW3iN59D;l$jHh9`LCwBy5;vRgIagzw%ZID{u+vfL2?9H1rv`Om&%X|w4fHl=C+S}U$ z-gUw{ywlQB#vB**g5zOAruJ)&$LyS(8qbsp_PJv_O-)Tr2Cg)hW)|?&Xj0x~qZAk& z9UlF##~|`%tU_ylMkg&}BByfUzI!Zmz02b5iv`LjF2{r4K9qz;dAJQ*en*#Ufzs`^ zO;1&cadlWD1xv`H4S?}5DJh@m8|H8F_^ncbMa1f_tB^5h8MYiMm|t*pbLZAA9r;%d zYH{0!?V4XD9x$j|z;>Tv@U5QN`DJ0Vy-&WA9UUDjTsc>A{vY<Rgq*oc6% zfFPly(v7h|8bP`nX~{(+Vh{q-9fEXsgCHs09ZJJu(Ovgld(XLZ?%aRx%spr3F#8W@ zvsmj_>-*mKd7m&F)_9l~tj3yL@{9k$bofe2i>ejZ}e4+d7y-4opWD@)fe=Wdfgl=`= z%aMS>!g8U()nf4gGQN-#o6V%>2UO2b_BYJ;_0{BC7CNr(P{_r@l!UqS^3~g$br+F~ zeFhi9Q=%}8YUky6@N;uYx>VDuMq^HHD5qQuk;tNYS~d&*!`y_FUs4 z1$v#>gDWSv-YfrLQ98kL#mWkY8yBMa_Fnee((xS|8|f;5wXbS0F)~Wmjo-qtWWc}a zyF7WcbJhAch}NPA{F;-?EMJm&hVA(_|6N{|McB`^bTu~8(5&8{stlC)<@Djz!W+tx z>9D2`-1FN`2C)cD%JSmrQ5TBGxZB7dzX39@pla5CIU0uQLhCyBN0(QeFk@G_iR@P}{kr$X&Ucb=kwe)Sg%%PaviE=tR zh7LpaR0TCHEhzn}?M7IQ#}fi6XmBFjfrfN?79?_^S<27FH8dLs*QeIyfF?O4q(2^p zI*W_SDk@C({K$E%P?M$A6%`+SVEXzi(8IJ-o*NI(##&OYP*w3@+eWYX}1Q{6mJ z*5)M5RM`#bF_X7#$`nA^*Rm2$TpA)<6PtCoI+T6&mgZLqjuzc^5wB-YOdCIjh27&$ zFDlxGDf}KQ+vxqTo@$`lE>)k3(qk-A_$6;IJgr^2e*eD3p?b5fhqiX%dah8p?zzY{ z+{O9%cN{(OBA)0|XBvF}=F7(iR9v=Az29G2PG{W#{t*~wQL8)(q&O*06LUt5*0%_J z{89>>@Qmm5)t}Gy;^JVn_s#_)E@qa;wcxFlm{{)+`)81uf@XsJYo%qU{P5DBKa@nn z=+z-}#NcB_KQ+xyONaf*3U-R-rR{Ye!)$(QMi=}lJlpS4J zN-dsJBxC`LQ1M;3E=`?ZHkkHUniAwlBLI;1n%D@d7NsYu5Ij^uPEI6Cpck1OeF_~A zhX*z(*?5GS`U9HDrji=C^_@|D4?p8_IL)jsEMVkQ!4F@>pt3E-;GQ`g=rOa0Z2Vd# zJC)7JkE^bhvCHrqujkedglCnyK1heY}kcvm5=Hn*+j20rktPk&)p{LyW<%=TXdD zd=EnLK=yGlX5zpfpOUh&ed;yVv(E)oALO*LfkO# zoyF$z79anhdJm!W^D{G><=*cmUxypsT3zzeeRlDWMw!)uF*uWyT2sll%7=%C52W=x zX`3vy14!^PUS)MPxdmhB5PzzR^QS*?=)3^!=G3FjKf^FAU+Qwz2O|9A$C;RJ{@rGh z&5S+`BP*+i8=AlsxpC)4q2ul?m~qnL`wG?yc1^0$WO_F0dp(<7T^;Wghdm|fPK{Gg zwxDIR-d|Z-Tk}Cg$yJ2aCG*d&zd26H6zY-IDfAoTz%+b0a>W9Fs+xSCNXQkfIrRk~ zIb+Sb&a-rd%&147e88~hi{-t@utCSHoE&EF`?zv;p0(;!o>nq6!Mm$Nc74gj2k2>s za|_f4lV`l3X-I=GoTg{4#)zT{U};$7e?^m$WlFT`*}Q}-r6%iK`6Gua1UGr*FSE} z?Z1ohW@KWjzc>f>hilLL?;z)+BhNf-%Wr&NIU>bXRRz3l*e1$0REwMn6B82~MX zj#5N6`TPmcv?@{?+Z;}CTU{Yw*bo(dD0cf|u6*Y9zOOGSuVZJ_R9rY+zLC+&o{O*w z2E~v1weRJ}C?O?iMmsA+k%@nVpFz^oZ~%f3*+lN#z?a5daZf$|x=%T9TTdO&T-3oT zKDoP)Jy7Gkvp+dwz22jgovN@T%2ucQx7FebYr?4iy(`0(sW2S%Tgp+`2PH|G`iEz z&yQVIH>0LzvO*=CaCc?O^}M);%<#NGzq#PgL*X-2vBTPk^<>G)Qlh8xvB(7}m+@Dd zixM6k&-jxlSwxT^`_S6?7D=_^M#91T8*mNm0Rgat1keRQ=2v_>t(QW;SXwb`D6OLG zTdtMmV21o;5RhxyLn14G>B8vd7{}Ajo0Nu(-%#9u6*Hs~)H@*})JjvDc(dz(^K!P2 zZ!M|1(Vr;e*B6{fIZ}Apvu8q=@jt%!6DAQ_cY17YwFp3WYXJE~(*nn@zmY_A^mHII zwBy*>-tjzLS*pTyJFmnB1nEiJ?$*{3&`gO0>%Ya4g2@;tj7#HNCnipS2xF?7Y57yR zd>E_%Rt6}?iuR^?Gwhana7npqK-9Ya;-z`m?_0#IhDIiKxOo1}93~{P-9TNyVhIk= zP#om3Kc+F)DKV3KlSemGV#4vIE^4rnJK;nsd&p|CX6%6-YV_&ieF3LUUGF&WFL#Ct zg~gyQu{m;I`2D%=y{A>f>4>&_*L)hdSDnwqTE{q30);Hm^R%zxA%V!)>M&^6;-Tv% zHB9gg(5kkYT4d3!jE`=f0_@6IT%%UyhBZ_+bBtb)UiO9^FX;T>Q-CVFUY4U=0BmTeM17qFQxa(lW@avlvTi(w=&3OKNz(8-TtE-#D2P&K7 z_E4P2`ccCaY$cyIAR-+tB?{Os&tB9X8Ar0l2O#hIH>ZdNYMxJ(pTGfdq@63L!0?4a z@ZIdiv>OLM|G3i{Fvuf457rlD$R9p@7@M>^Y!s>iq#mvPc7};Et7tB}v|>fGnwRMr z83!}&2fYoRX|mD%A4f13ZUTRKu*_|qMI);pRodWPH)a3*Bz8YQL~bmdagT^xG0Cas z=UF`cBN390dWY{C)3m;yhc)h?`ZlBF$2Nvw>rl(}D;E|k8xy-ZkE!;g8*GrM93f4`QNk&(#P&Bd!la!QM+ zoZQ|>_pB@@Wy^_2pW62KFy8^J-W&_TsJe>85GVHWMqkv@_4pS5_3^0d(}R`#N7?{< zbw^CqR$Q5$8TI>b+W=aeX# zgt2tS!euTD$Y*;{SCUaM|D%UaCNII0Ztm`A73OzXSY7SI28tH$XAw95I}lt>4Ux_9 zvBP5)!c~}UVqsCf<-VhMGpO3@7LP zwTOVrgfxuNS%WiXEj#|l*W-wMDER$jw#e>tJyt(rBU`UD)*RBFmD3iW?LvC|`%$sQ zHY02__@8f-l*cR-Y7f4e-L8r^(yC!z>{XjDc=4mVPst+!Qn7^3)$K(Y4 z@~>>yI|YUikB9r3)P=TTjYYSJT=Kq&*W-o08A#N;KefArsX4G_2`8>G?oS~Gf3RF> ze6&5uV&hlnZV>$D>!@8hf@J6i1K~G!B$I=|zmIGI=EZPnpT7=`ml;%YoTyNufpd(nZs3Kp7bYV0xCt9`M&;q;)40L)1ytg*TMGqzAhS+rq{vquON2BbUx~Iec?BQRwm%w#{s(qTW~W`$8mA^Rs`~(~QAUGe zeMjb{w~P7JX2Gm{(hEe0&4)Ct)boF+Y1^F!|9$ub5r>2s;;m!8$FshZ-!g)p@keaf z#b6#0EKX_wdl2)RJ_W%8oI|;o$+#M>jy?siTQa2$c|fp*T~MRLmJ`t_(0p>Z4(AxNWv2>X{OuqVITuF&HS~C; z6?*K>+N*o2CnGvHZrqS|>GNm%{Q2{EnIL>73m#SC`}jp4Mgp$mnydGdd(!{DGKhrJn?u`qd@K4uY$7y3OiQa*M| zU7%JwUy(7oM4Yy$xH>;FUM%Ho{a_|~7h2Nk3Y!$miM!^+cO^`E47q%OgxNMS(t1_&V?@jJbb^e3v)d^b z+{K@sf@il@1t(pd=H_hkLWZ0NB z9|em`Tjhe+O^I`Hxc{IyI1B*gztrJz5?x{WOMm#TJu}!kV9RiiYTJ^iJ+)&|8moFV z%s|)5@Ns`#T_Fj7G)pN{I_>o%(C$)@lM5KO-3_gd=e0=&?;0OaGazW>p%AJy$;*rA zFigGV^>b?KC8Gm-v0wzn5Ur$?5wN0VWdkww2kre zz5fRLTbx*V!54C{5Y&751zddteH_=PwKS4|b}38$)OEPi^PErhRZ{ZES`dXm*`JMo zi~E9Y#(|VvtA($YZc_?YlwF&-O0n1fmyQ&EBH4=hm^@F`=i5UOoW`BY7j>uXp-1Cu z)}Ra}fHC<%;QGX9JQEXBx=f)2vMKJH|B<1+{f`CAJ zX{M@ldn8<=%+i2{#}~nF`nQQ#M^*LBn_{Q-c&Ur66YE@!^1NKX3b60^=o=cfO8~vq z6OU6B9nWH`GnW9dfmErbDFLLqrWB6D_I&#uIrn{G+pzfLB(1m0aEyRtFW`)bCjSpE zz|xY*_P3ar7|RKy#Z(y=D_V94V6^s7dXNPd0~qO`DV5TPo-8#7mqM63OUptPwv?#x zM6dBmC{k}Lz{JSt?6f0)0*TVKg0J5}A7Akr37xe`&kaQc%Sr%d>G#~^e@#s@VuI@M zQ;dnn?b9XPLU^rl?C))~a)c`>5zx!(UJ8dX)Y*)NHEI1sH+Z0K_J~NkOpe;bau1DP z%c)X7-xshh-k~o%=X2Uj^uCrDchFS5QDZQflJ@--At9kn%DtZm_qr8iD$7zRei5)rH6L!5m@jdIJGD$A2bXuZ~lR1j$idkePBO!;-cW%*kx zoL2g8`D<6%>@33Xc}8dcl8ZQR&vWb$gSjksIvCeaY(!8A?dNN;5H@!a`)iC!VR*U; zv#ziwC6oHf99xmSg7IdFyUte7MQk@2xJGv{paB*eSBH`w(Q%lj28l7aAE zr7biRY_t_Ji2k0mWF(0~Bk>cT<-uz_{#%+v{!D~WNnI0E#@oZIV8*+pMK-k6qHM?> zt;!q&>Vwvf2)sV<`ZVr|X{SLi#0N?6dkO)ok_VzY^8UyzXG(a<+8@15+)4 zoP5^&mt5!k%$EDy*}faaqwN`Qs@l=j<$mFf3t0|kMcfs|9=-^c*%4+;Q4zh&-}CY> z*7uzbeZ735qbt_*dU9Sn_=ThOMs5#VU~3agAr*4r+6+imZVO;K|sH|Iu@iV=)7qC@wODbBsGnSii#C+b=aV57X{JGA#lgW^7OT;?9XS<4#v=) zpxr!zLov_Bu_9)->czB6i{?**njNWMM5;6;3*#E+(5yau=PY9}Qr7H7LH{^B>)W?k zut$DE6@5n}=Q2`6Hh~k|+Evt~l0xF*Y+2U2e+a_n5YBFq^J+wfGiZRn6nPQ`w#O z0V;Sn@KwY2zpUX1HxA@Ij1F+^A9kKtqdzbX4Q&S?zjVt*3r72xnak_BoIFVu5X~Gi z^QIX8Jn4)d;2)HqnW;BDso|(dKz5J7AZ}%Gv4u8kW1oVCrYxNR4~L|8<}d@0X1fE^ z7ZF4Kkvi^1f>`lB!bgWGtyHdG&q&C~$S5g+EFyuJVY#TQsc{3;vM-+hDZ|z-=azJ0 zL_$j%l(<$kzhacK2h9la#>S$fv>OfMiwT~ps7z(s`Fjeo>a-gkfVENi)`HouvSgoT z{VR-csu89VUN`Z4FMqVMo=~dDq z)8<-FE0@2VOl`L41OCYqJ(E*PO9X(_wOl9g69Jv|-iQt`Uf)pZLv8{Il0 zBIwF`)n?Bl+&=|L?v>XWtfgYMpWrTn7pC;FLCAA)290~dA3;IJ#ywUZj(xwmLfi>0Wh4w*oSON93^WKK}eUt_4y$|5KR zJU2MJZWbr`N#;&hTZz;F7|qck6J`cTq?bA`b{&XLqyB`GjagC9E}CswH^eEYV!w5lXc-m$mFH^ZWH z4mdbzWIEg_!&epbP~F*`BtVf)dW|t!B|k>6z~IZBiE>Li8iAbs>+m>aMhLy15SE^= z8=U?__x(Zdu;|mE2jA{%<5#hjdTu7)V}${t`QmN*TBD8#8DwNxl(40GZL63A>Sx;A z-?`43WTRJOSCEyzc5Jp<1n!G?)I_sR<&=gcBzRC$|9SD^5>nkPbMP^}@ho7Pf=;~; z=uI~2&d35HB#@}P?PyTZiLw_#c`lNpy7kMC5Ws6|=`rTIEuT$Sjsm)9GXKWzHjAIo zM*#9ERE6A_ z4XbcMv|YOzBL%np+uCdUs4;)7LH%Ywslrk$Buzk{Ki&dogKe@u(3%QPdA@u-VD1 z8893yR$+7O<(uI9rlihz0-L`GG|oNshug<{_iy<%6&D09e=yo!*>S&-SbJXh$M1!0pe+b;cs9)0CAPIyOtz(v0JRb|XM6hT zV~p{dbMxl@egfZ|tlb+kv(+zBBKiz$(D8Ymb@6l|S6T)YYW4N6viq)$*ntI1>-sq0 z3m(h8)btcXg(Yy-iYnp$*GdnQs=s}C>4VZn`T=Ak4Z z;Whn>pm*P%&jjPi2pnb%*xj5dlw?NlN>hiaxavC=;uH$Bj+!XiG2{AgBr|y1Dz!zEHV*XN7~!k_5%d{e4xMW{OQ$teirEi^&-eU z$EewhzyV!K9zl-TZuEJu1IHRK0NSmaRhb?@R7l`&R0U>Q=HMwSnuXi#r&r! zuMSp+VDz8hGwr-l`wKh=N!dro#wrVv-t7#tSmMP#LYq|;IQHaV_j}T=f1lX1<}fvjZDx<^1Cv zk)H0J_IB#zl3jamrS&D@{n54j+Tq?tlH$V_=%AI|>QAGOZbb!k23^AxdFYw^85m8G z>!62o-MF;|I~y3_{JmHISvfZ9G_4q&vvZB4YI3x@a*0XyAG+(*)qIyCH<~FECqz2s zZ{kVNhKv=X?NQMj=4Gmr@2#w-wYBTdx7UJ1+(eQt+|A3SXhR_V2{l@033J&>11U1Q zdw2mPPft78gstn;(!cJlO(1*FTA>V6<%hH2oaJaS!|m8f!kzv++?d|qJX0H_*=r+b zdt0xhs_j=gp}%Veo%!hD!DlF=yAC^Hfv!fPot)e8y$Pwm+#%g=wXS#H?Ne}+2@!+k z;8g%wsmTbd6^b!fd=W0iVgNagY_p4fcS`3jhMDx$*Vi;;8#WX{i!1!4T>|22-hV5^ zoW;^*2G^|bMkf%L<6WV>P9x9bW%$0=Ch4#t;M^kRM+t!Ruk&7u$NvC?AwsfC-KptA zN|>aPO)m-q;@_VShTep;_w%XrF3;vt0^l()C=Sr4CL6P81X;?5&S$N@&_A(HHvpiT3Rfj z?Wbp#V;+tJw(LYA$n14fDmqz-&Wwv#0;!bGM%zE^>0?TRfB5Z*<^wchUrRKE)rrXK zYDQ*e-->-pwvZX;cyNlCR>yCeWH5dkV8C&e!z}iKw3JnK5&%3)ED1dSL@$>P-kz6w6efOc3a{yS}%a9vhc#Imqz?T%+-(SCsdCKK$jIgtIK zU}CEGyaCvCp#1rTn%mf@w>#N?kL4K~0Sq>*pT>7Huv9g~S{9t;gxWj57>5)qR;~7k z0P1JdrGPns&71se|EOvh8lJ>Yl#4tCnrbdoc{9bX#L1X9aBBN5iv82r&)=U-v*O*} zcquS1kUU5ok$UieE;k)$8D7Bj76n587Nqcj0?Wsk$r%<_jrX(v{^4}(Khzy-^UkGz zWx!ao6#w_D{~KRny+^`v{`<4>;9p1^3v2rMe?y-C-`=RH42G36uo17RD|6%V@$(Co z>v~1UzQ^6fh6`7sd0p}63t)D5<{b|_uv;rzp9DM)IMCGnx``v&uDMFjp6w9j(el9IV>GWJZb>zmVjD3UlGnKfUo(VYJ@)fca@eL_$JDg4MUmFvtGhcdE6;dG^o8E*Sa|M|dYdSlB+EUJy zMV`5IL%{_m2diL_1y~?d=D9lJn5&!cEa?&v{=``6EgY`4nuu_tZw56%;jqCI;V21zX$wJrrzuhlhuw zRkN6PF7tYZ%{-WIJ!9}Hh{O;aP1o!5YZ^UH50-;pr#xGrR)iES^MeFPQ6rG=p%emp zNWETleX#li3dF|JNTr=Ugq-vlv;t`ni5lf|SiJ{IEb?$nf&DY$ZpQlnB_$=O74d>& zV`CxYrS?QeT)eHjj&d?hCSO~K+}X5JGfyG2Nxu+4nw`>}jG@)qlYKaM4cdEw1s~SEtg-pfa!9m!@cbH^ym6`5w{TLD8s0I&sAeLio2Gq5N2_;#iuzsF<+ zkTAfg5D?)5lqo-LM|XFf(+d7T{8v1pVb-cQ>EFKHMO!h3o3(apNv4MQpioT^h!ZSM zi&D;2u7;bEmBmPde-j(_2z!TGHcgAS4yK$j&|et#12+y-j_`O%NyvaDrangN3SQ=8 zb?#S+?N*y1(ZwGi_D*Fgszl1EY9Q<0ymHBk8iOuL9IRmkJIjz`m+BuGHFh2GLJxt! zL}t0UFbAa#}b0Xmjv zC+ZsVvvM{NLhI}w%RIVQcIP%H?>tx>v#XIpZ|;ku|Cyir>CIcWF8G{$d|d3IDs$!W z&b|4G1|WYh3(v}eIfLyS@Tso}xSn7vZo|SLsE}MR9kR@ReF=&abf_v(Z0TZS2{$s- zR309L?61%6$M<{@`h}19=tNl~Rg{!`o01=N7jMIJ05I}`ZKWpb1{A+L|=j;AxAGagqQ2xZg2l3N}FcOc+O>-=I8f&UBEHz zN1C#-a#6HPZCyqMFAIxS_Rv*qY|=O&Isl^j08+%f^}`|~b!r{gTe@N!EI-iU{~8Wo z%)mVU=g<6as%pr~_ZdLt-`<{S`Q>XzB$c}xx{M_jXIkjil}o_-0B__mjVy8 zK<=^`oFYBmEqfo2lGVX6FDs`eBs#P2t?zPYv?>S+IVOZUZO+~9<4L5-g6Qh+BBYny zx^ZKvCs8Gv%feVuu@zDvD=T<8s3u+^;`rRFpbZTTC7`72MyHLe;esC_uwC}W)Jty; znw0`cTpvyI^zm3j!*|e8p{SuUie%Fr--L_z%}*aD%B>zNnbG|2>4CB73799Z zMP1M1%Ys$&XBjM-rS3%*q&$+&$C(UYaLL7JA-<_8pGk#18cy5;v;`NZb4YLE9x9K` z^S^X#kmz>>8{54K6?#<*45SnI-D4!GtE*+=**`g}G9-gP8{kIa&X2zO*Y_%V`AI8B zIPWpy?JZAFH8gm2jlAW&IJMi9G^XF_>*^|n)TOM!NY+%Xs<3@P{H5z)T~<{cO)c34 zDzWY5@ZDYe{jn;8FKu8U`?M#2XlUrm9V%G3WDzhA5k-_7?A8p#(cQg%^$v;CnM)vq zRj%3thmwNB_%ghV@xcZu%Z!|#h8FyTjt0gPx|{$t*dThiBp>M6+PjNiz} zbiwLO5E|kO&aIr>+>Vg)>!4Zn-|hHJHf(t{DHw#rjau~Ez@XX#w7nTj2bylXop@f9 z?|S2o%Df7q@UMT@FuMt^rxXIV^Dick=2`>yvW(`%EMZasZhk2#-mp)BGr?G^6%A+Wd%BL^iA$^}jYfw5HNt`WWp{I6d1fY>rU(Pg!ADS^ZJs`1^ny|^`t zK;>+JHBI`br?nwd&0wZTDzzVwUvbpN74qn4m5TK3-EGuBIc}(IPlX$>mmv7}W0OEo z7J!zdyBDTet7O7%yaI10+S_e@zCWMLefa9O31z%*8|xMbbHECJDQ9(?aCP)iF7T>6Kb0+GWj@R;os z!;Z;1dB%6Jw@3O^{|fm}US8hYWSlY*K7Nuv zfBCY8P2%>gn>VAdm~*r+qxYzEh3~JI*Vjc6)YJ_J;lH~Ae13N@DKZke@(O(Yt}&8# zHS~={szRCjoJ+U+oTpC)w8z>=DkZsi;V$kdUVi@FTJm27F1sz5TMv+;1UxD=yE_#-+;2kc5*KUM#8lEF5fPn~zITZ$7-a%3S&8Mz9U6?=eXPj4 zpU=v?lDQ+4BK`YJu`hY0cpDfg<;u0}?<0-xy`G_9vIc}~h&NOqE)%4OWubOlaJFw0 zH9ONTU%K=a8O3kJZb!YJ&Gx85<+i7%=iJND(a%1x%nU7@+aPlO+e9W_BwbQ=m}|k| zwzN%9Mt@X9Jqo0UfJCr!aDnKGxVZa{B{p`C*w|o+K+LZ@Y{-E4idr?QM9=TQds4oY0r4pX0T93r2mDv%3m!$$oIK*O)gx>vAE(W8YgElu7U zIuyDGNSjTR<+Xe6xzx71g&HhWrgV8*$Y5FYeJkd6j^_1Pf$k z4-#a+Ln?Zij`y&RRU4WH>Etrg_|aDq9Epvj>bbtX$za7d`7HINp`qm)L7uuQX^&=R zy#bb)hJc%$7F2KDWXRrRqBYf-iJ}Qc?*=QR8scWIznU5v3csOfX0~BuQkn&XyaKW- zjJisclxWmxsW)w0A{~aJMtO;_AS-D&ckG6qHE|TlZs&T@3^!-Vjgihen>ol*;ECS- zM(thgP;33ZqGE-H=CihEdNI)fQ5NIIZIUN%`SfPc0+ScC>JB^+1_w)&qY!p@z(12h z4k!uCr6_sQ6_trR|Gc>HIJ>=HV(SncRGmcaUmf_}+uK)IrG-o_G_9xIROk(3IDNG( z>AR5WiC5Grqm`t}IpBRf5`wJtlm_FmpWZmd@V#`{@UXs_;(3SCPy-*N6vh``o})o$ zWJSH&wSIm#$LvSXcCZP8J8SSp7YVLQpDyXAe`H^_43BX!`B?iriH3;@zMwy!?TZQ^ zKZ?B+FoO0cUfAxl#5L^FK=h!mM4|w)E+eB&*MvzW@(8{#Msd-Jo@@iUHpkE-`xCQiSJ|%|h@7i#&!~*b0GNfEnJEzI{|)Za!t9uqmEE%CE0yPQ=JQBLWOe!O zD+LAi6GVn`_L$>Uu~2C_6v{09rV{CW?_%NW5ntxsQvhf%XE@mhEPm2;?CWtXV2D%Dy~L3tV5dG~-UD z*0;hzl@Hvd>iY2P?B_80>=JW<}llUc-yCAWYhg& z`>!u;+sC_V{vGyF!O}+p;7J3wp6NQ__ z&B}@#E`7wzcoP@bq#yOQ6Lcb0=)By^8c?>Jz@10Qn@0A#)zpg8$OCZ@a=&~tUiDC3 z{lx&SRYI(*H>sH|utY>ua;+w~o2I&C8^iPIg`*P#e| z{{7Acrf3B4!B9(U#P=sZyLQ9T8S3=pWn|DM1Ex-&{^RiE$eeRE2W7!6xiXe=?ck%3 z>n=bL-Cw&Ur6sFEoariL3dCt^oH>GOxrj}cyyAudb9w*eA9cl_$ayIm=s0Ahi@}+1qL-%T!@}TVsn;5JrFCfl zJ7%H`2hMY|eWJVDs_}4Zo%gJvs5qa2p3cNj(>Nj5H^cM71Lf*M11F&$i+y~s)++W; zzmV5>_8C1(B$K{Dk8Ou_*D8DBm+ESNe>+%+00UZW_Md!Y)VVBAucDS2fXyXwfIF#@ zdE1*4fc(dy48<}gK!cv&$mQOpSXuW;JBLWb@0-ZlDYG!1|D)IhhXjO!ZFG;+9 z-J9MaY`W|Kkj_$PGzF#OOz$RWii%CT{sw;e^O-0BkBm$b@#&N3QQX$d<*U0J4bk#H zVN!LxYueCYDHcRVILsR6!^o5kEJB6Mf%pHMF?^-6w&lA6xl2IE_)5hy{9u~EUzCF8 zA#@!>=}2qGvci6au}Zt8(GF2jQ5)PFckURc1P=NWS2EeES5|f2yLXS%uB8(I44Uqb zSHOV+Ce<6g--pAQ%m2YxM(M$5IuU@uUCR*HZL_t7-~_q6ciQbIiS7TQ$CMTT zC-;7Zbn6vNL4FOFqPw%R#K8tG1eW@3%pZ!=1Y@$*o5!Mk_EA#+Z?r}qB}oGWGbyTq zc@?E`R02toGXze`#q%4@oL`2{4(4a@U-0@vm<~)$O|8@6{}Zf`$;`wAPUQ72>#IN+ zgQ<^&mLcX1CSE38>O}$Z4merSQDI@w)+GpB+(CS*_b-rQrn8zjpyk zdUYt>A16PM=>IjzxD>B$vc~@3t0u3pVE8%z=dS&4KLq-JJVymM0b&};%Jh*PmRjG4 zGN;FZFAgmqP=wWUhhwlWW4%wKDRcN|HUTrmm~jpA`HVxsZ}S(SL3~X;E0jUba-uE( zw74}h=Q9^$RlK_50HFf+c_~k;u+W5y3S) z$H4ytqMZy346?JbecOKhO7X0(1E*y4M7p)OctMvR2tII{BA+dQZG>$0zkUw@7>`tY zI+O~sumniF5-UU6*qBalb7f|$0)&4jwjusj~ z*j}=L0~uHY=XUh#-@8Y|E+XF7*H^}Riv%NHHr)yVPh>leJs0;k@%0%Q%m1A3ujSSP zUspxjeI3KBxfU&52FD8{m@l6`Q3$!UNg81nMAV#~Hhug!fsGCHKhQX@FA$QAmqEA% znA(-Gl7Uo!?zOYWpIZP<(kEl2cq{3NS;&hIA0`HjJ9YbEz-gxD8FB%2Z;*%zULOp; zmCuj;x9;fU>C_QVNJ>e?9t;jhyFhxLy9-!_sIVa*Pj#!={RMeB)m2sa z!LsS#OycifKfAbUw!p4|(mPLXfY{1aFzi2B4-zq(c%G>Ue1YF7z#KUSCwco7i>{)7 zIH|8Ny3vM9T54U!>cfGk-PFObh#{^muclDz zdEli;gH=^`{^>zIksy#`;F!>u=i1X6h{wRh_k<8`6#e(tBv9boyJuLM%su_3fH>qa{XeNoUZ+HnXurNXAzP+@=z?Sj>rLtEpH9E;+CV@@tM)XUK;qK-H04 zfEDoJi->R~c?R#)1^JR5{oU(;xZ|b%^!^T377|V_PUB^?Eb>#OtzTd09UdL2XG&u! zM@B~<0Y~}Ciplv-V)?Y&8?)8u@8*%LIv!hmp@IIu=bdcgCBi!YwL?YqeU13%Wr=*S zQ@zfjI#mjC`>~SR+8;;$mvzY@J;IoN5$GZw&h4P-e?5_KcDxVjjN75-=2QGk;kZc> zLWf%Qa3O&@1)Z5QOxIx)=jmAwoL^vVBG<;lPi6%8_!b&J-I8`$>?G~(P7}~+26cNv zge>4Ie_MfO7pQZW=Iv+$jb*u zma7<^w1G|AE^6%MgS#M&1_^;&4?r-$ z*GBBoFicWZ9LxxQ$nS_!J@7I7osvuKyx zbbH%+yrwd%$j=AJ<-g}^c3{K{y>Vhw7!!iDsx^FZA5 zq)rf;kJRzhWA|O|d$sh$03C!O?x_>um6{XtSL{Ev1{xaN+2)pnu8tnam#`jUd_enS z9c(G899L-YhlVurC9*pHvWE;PQLh^nsA@7R`tEn>8e=Y^_tylhc1B zJ!X1pNzjf#(PL9%CmY?}(s7*5Yh{+E#A}0vbAylH#Kqg4Lyo{4gS4R2^6PP<@e(Vc z^_`v^r$;-mE_2i${$0|E_;Hq@HBt74UT$@wzFzQ;#@Pee{oc4vAo3F#!A zFzz(p7w znMICWW_m+Jg|E&5(zAm#<;~1kIx=5^fFb6hK7ts*$I7UbwYx;cl*`LXyN&|Uz(#6! zoG@L!jr7@WF+@FIr^b9HWRaFg345NqEl_0}cgHzjGg&4;f8S znon6p2Qv__*=C?RJ@!^*5;(VhUAWtyH)0>b9#?(e@u`--T4X4=T&8u!>Qrn7Jvp05 zdex&1Oh=*@5JR1*lAmBo9L4Q^4F0~4J{~&F{>1zBB~|OEE%bq_{anw|1`>z{AT%pW z$NMTfMTu4X`KHbRdMfs)IkGyg=PkuLjrU`5(pGm~Hc zRRM4T%yFIkI>o+qsWmWM>-y~<;6oHw+hJ~S84GUQ9;F|Q5E@J5h=trxZT zXRYIYP*ihgJU2Dxv$G?-S-6bIdU^`PWg6;-N#^17)Cyv`AbmMt0KX)LIT0&7wW3 zw%`XN3?$f?*k)GWg4icV5@D~==7k%Nadonf*K&*C3l*Jwy%b{p;$A<65#ts74|#Rz zo{imkOXY-ao~_9ja(4RMDf#u5uTDFihCi&K37Y-Bm-kd_GcOwWwtqn68WcW|+E^ZO zA1$_ZG*C29msXcH_}cs!>9zGE*Qau+e0Cv>UcrdHwd!eI=Q`R*!Yd9(jpEW}iMB>( zC0x?4_uJDc`m_{I=4WsNQ+SgO&Wc&5Pj&QPe3ser;ZfKzPjul#X zdCKgDy&hremi5b!9=zEuMUI_*dw#wsS!>}soZ#XXaer%#4iv;FP-@~^$N=%b`l=hk z60V|_Qz%IE@XS98e;SUTev6sbM~;W)icLM9o|P+9F&)S?(y1NQUq^rGp6nZ)odlySoS!_VIYxK;yx$duWN4YkFMW`Z)>+*X0k|Voz&JAJ}j1B?} z7|o4uZ_6p?-+Lo$@zmQp z7xy>~g+eWvEKN+P7Mgw+!L(^}--59)%*$CmW`!tDUFMp+nwB_R%_IICi-rCz{OtVq zTDJwW&P1@c6tvZLbj)Y0B^p(@3vRsOd2E`<-m34hRIT|ka^Rm?{rbE;9m3->J2vX9 z;)TM$>H07IUDFuQHFNG!?e<08BC|gI+3)*NW~*Q*i?&R4&7=h(wq2*kk?cL#BHZ2{ zmmx0BXZ~vdB0`>ZSLZ~ zmS?#fFM^b5K%g=IZWxRJcM&xtt3RzOE(9D{D8*$Vme#scZp7TgT?`C3M=#0geR;vP zGGJpKG9BZJz&U8bKt2f zw#$aJ;XU^EFoBHezQr)7NXJtxtf{H9IcW3*-tOV6KOJA z8a^OE#7c12Biu*^ORQaB+MP04dT$*VhzeD=)r8AG-96R1nWdE-v9qjc7-ccyUTT93 ze{39q1tlY7TdiS>mT!u~26XA6`SyU`L|((bEU<%CfBmlP)$#QdaL zph(;4IY32>ss&JXu+QnkNQrhIWD?q$e|44G#_*Z6JgAQL^$?RdsbOA*{=VUWt^l zmk<}v(#$j65Z9LuH4N8oR%ecMjckbw;ofMVb8G^Jp=h2KN8|-c%0~-0B`~j5%&m2| zf1r;kZuGVu;bQ~MZLrsThc)Mj(jSnhF{ls@sa>6Xr@jEQ5BMFe-!UyRZ>9Cc0L0>! z9U=d7GbywbH^|HLt;Lo#-E^n6JM1P+*)hH;k%YBCs zlE)4F4xt{o<^tTdJ<&0J(^FIKspHpjbkU8yrobPJdIeoicK(3A+(nL6@rH&52Hegd zOVv)QVpMP8U6NcSwp>K>sHP6dd~aPsa*}xAnk{(vQ80>JLzgNJq_P3-LvoHG0$W+@ z*3PNRx<&n^FMATUn98aY-(AlF6;v;KYg!_ejV!5JwuMs6EvIX<(h;$b8_7c=25j=Z z31~jAUjd_}xAG{S`5#;Wdf!c}maYcq4hxn(octOYa@%*WpG|G zaCR<&*42LsQ~P~_hwU0>^yo~}u6lQ}j1t$}#KfbUP45%3TBT_WvbEz4N{Yw&=Ifzf zF*35aiA7z%cJ1p|?kEl&WzzG&a=Lhh(|^rzoD&Y7Qj9WPR^yK?#I-`J=Q7Zdz!t|yZ%r22x+a+_Urg&D&h=fS>C*kxBpjd z0qTqlB*uKPyw~$xn>S8CRvxBr6i>0!J%7Qfd^w3#g@LIaG_hwsL|$r%E;o}r>s??< zxDaW&$?ZP_E$NkluoOlPY_;e52i?O1O6K*&3a9Cpl-F=SAM-2Fnm1F1;C`QCG#k!o zD{62+z6l9wkKsqQJZ`-BYx(@zZlrx7NH*I1+jx%J^mLqHZL%+fL?}l~EWyC;!(D~1 zfAhZ?`kS>qR!G7Z=g3t5DjYdO@dJ${)_U*cQ6{UUz%l^1 zeDmyu@JYv;Te}gp&rg!EV*z-sL1#`66r+A`0d%@jk`y9ubKj=xV{Pt6wjplA^DrJp zjfD|}dKHzVhFHcZH6xz$*y?0!`p8*zmFt2Rc9vwWugpYfWJvz&Q7h*$&hVgDkwz~l z=@UXj8QrtE$*ilj1EQR*!sDN6WzB#{8ek)kvNV4GZVqXQWQJjRUOu0Bs$)U~iPg^1 z(7t=F-T)8;eP%(t9Odbv@$FKo4z?%FYzlY;a5@;{>g{}d4ko{`QKU!1##ngn>1Ln;w6JI#8Bmy)|buYysx9+3o!UHamAbR_;Y`>h|=$fA{WP%iA~H+lWH1UPD;@;n2K&}*eT0|Y!0_ZKpnNml^g}@=cg< zY2}ixgA47D5zXyZv48NND=IFry>~8^RxUNsgqtr!(^>qQm{xRvfKj%zf=G#$vd?1b z!8u8%srp(x+s0*D^1H)dF~+3l!KswiYsG5e#f84Cp+}EQvF*Yb&4xQemF-WymY2W^ zXS)C$dTzCA=6QF`IdjVF_2OQu8#OOqY}WoCE1p~vuJ?5E6F>J`BDKjIRso97yek(& zu!SMwOqU~l`9#Kr9p=5gG;$k;izRiMN|HXiO+WU5)y8$8!4iUd+?Qk_R3BTqX!e!m z!j7J_QbliTQ!H=aq!?HXSlxXP*s##2{?befv2@uye0{DXvd428Mu^gDO~7PKsL6p= zZ#>*y;V=qj&F|CXryKZcKy;YX`SqbX?sl#|P`c3;?cwhe$*TTyKx|UaCBo{H-23)X zJ?%kaB9T@$N7*Jn6)1tLgB1#-lhaT)>@0(8%y^ZhN({l8@La##F;4du?@u7Sqgq{~ zJ;vX;oB$_>KxD_{2lpuj`53kzkp)`6&$#!ek6&V{7fTRru7^=F?YKm&`}b8;XAHj% zkylJ6rI$BI2Va2$U1Dicl-E{-0w0kcM$q^QEmy}4GmF`1c5V7OHL@2SNi|$*S4PSa zN(-6>M~@ojcG`Mna1JP#cM_6q?WCW-qv!l)V=?(vMixVS+{ZpkxclPN*x6L9?da|{z9C1%;ORn+x{(57c=d$5k zSnp{poq*NHgX&@px6`dcB@MP(R&0Sn&GL{^*y47czh?5MOa{r6mbX%m8&1TYW{=`F^b*=qmWFW%v#$VdXfB8+HfpeT z_rOf4xW{;TS-VT+U_s)thyS&2W*xWFK&ZXtm1TX?JE#)vZ`OLlyi1rALBP592ajd@ znJZ%4%fc6VjH;cc5$)(67*H;GbLhq~u9fAblUezw?%0UA@m)x0M+LT?*B6|>9_jg4 z8t@}UT;}rhQRBS}Fxrm)h(Ja31%^R26IXW(Sn>q3wMQ`yBkAoU+wtT^NiEJbn&Z_x zl?^ZbFJrCWnh0*}ZDQY0aS2%=h`7akHVvsrtVfj_dbJ{(Fv$DB*Av63uN|X;%hoN9 zh|9wTpE8=EBcm9r#h$yk! zJF_>DOqmR_r!8`Df|(4x?0=ejhHJJ(hDI}}C`U+Z24Gc!%Tn1%>8^kMX-EsiGY44So zEPT&&MD34HsE^@EC|HzZ1w6*ZXA@Ylou9nQvMl%MKQ-NqSu^os@_+H-+l+iT@YJO{ z5)|P3irNjr(O2Rylm$l|80P*e32h>M#5n-816E*&pFA|A%CT<8Gjs-;T+2W)&Y3|2 z&!)+LfrKQm@Y&?-+jt+GE7QHT1|=Z2*-x$-7pQ)M%)tL;BEnkJx|yobmS8XAd#4S( zbncN3oL`TRAMbn_Pewr@MNK=LthMMN>Xv0NBo%s-^%>_eDXa0jocKF(plRCmD9DUM-k0w)2O}@~%savJApgXuh zD)X{A{uv|!eSNb7%qVg?NmFQ~O9w$uh(W};_Yn<<*A5k1Xl3j5{SfZW)=`m%zyPKce)rplFSqyZ z)t3Qt(;j0|pqMaRYKf3gs4z<8)r@Kthvnjj$DL*1yGIHhd1E3j^QW0;g&k6f*RLP9 znX6eD!vJCr04vxi-9pqA+*NpYO=ga``B+U@_{B~iqnKAzhu1h-q70kb z*T>`Wj)a}=BcA1E11n=Vv?O3JFj3Da>0`EB=_VcY#>Aw5R`qOLZ?PHj`b8QR7kB*o zGZ$|ZSWP}p^4lF(;hA~+nwm$_W+rHBv7f!uE-g(e$i5YUG0_Awa}^eY4V2&AcY1j? zkx*^)qjpxRaQtt7xK@_g58I7j=B!e@FPkqt+Z=8=K3YLG-|3jK!|A^X*| zXls1to?K)wSL!(6zA)2_(~y)>aT#eJ7Yy(G&iv6f`tURHqp1cR9W~xtKp$tq(mziB9n%YvT>YvBO{c#V%7P3x961)q*42kck1plH z6`oBr5cHh7XMW-#I8$KZg$p~7dZAPpQwCC(e(j==fvhg|bA9vokmx;O6&lv^yjOPu zi_MyQDz!Lbv@H(0bcROs^WrdlrEr&HxdOgoFbIvchA-VI91+6RF>gVQ<)1vm{v3i! z{hEm^^2yJQjS-eiE1OlX~v@~31Siw3Lo}fHi1G4 z;4cz>@vR~{bOG=b9kO>YtOi|JH9g;zxs>WNOYv+>pGX|I0q)&Uh8di z&&0V$j_}=~Bn_?xX+EL;zVD@0YUMglt5a?7+E!>YFVC#?&Hc^$)AL@vJvBA8Wli&q z+^G0?pT+*%{T)W}P`{-QW4s8z0gzq6%3Za%CnGZk)TAu|A;@two!@|w)+rIF&1-kXS+@nsy(fyaPKM z-XVVNmi^Aa0yH~!g1rIA%+}pg-=#_6G%J~&I?V(VWSk_lh>i9l;COWYI57Vx^M)FQ z$tMN_^L;su_Tt6EOFCxdKp7d_9?Kq6Y5<=fbGIL+wQCo|tz@A4eZ}D^)Y?F5j(Bk= zghnDOtMJ*?`1trDvt}=VQDn%dE^-^(_{JZ1Cpjf0Fy!(c^wm=uLzjnZ8X?|8B1q-v zWoU`QiMESvOp?U=#2OT7wNf!64w@Hx2KbAkfXsUpJwX#mO?X&pGq`phx7xe2p{To~+M1PWaqXxTb=Ue_kdl$7?F_BapN7SN|yAI8Ua<{XL)b1$u6s^E~-*Z!NG`BCJzjDbMlFRto8bHB-AT~~g~9K-@~ z6#n!7!Vjx5L)H#rEr~FhmBkMR8R^O1eKbua+l;pgZ2H)l?hy`7HiVq@=^NUM&d30_ zS=QFgE~dM%iR{-)p=}l;`S_(GNhpm*!J|8IK3pG_;B|xK6~1z7k%B=SHslTejMe$_ zndl^Aw_3Zqty~XJ6=+;PZ58MoTs7kobJOG?yW`xWE6-lnz+t@F*=Ord8Og5Y)#u3z z?ANOsEdIM6i6mvX;laUMv$kMjZ^c|0}Wc~vq+2~BwPu1Wl6{TN5{s<}iSJ%1O z%RD=CaoRZy7dAG*Mg@|b8fu!D>w%Bq>Dj%#BYBL+!HlF|_ke zZGsWHalUV^(OF(z9`rvolP?OFUy~H{DKbZ2Vw>8w;b#FD+tp{DK3fM<;2fGbVC+c zL-LqvPmUMP7Gy{w!Tau-YzzZrurDO{ZUJJQFQjmU(@cKxga%kppCUha3X}s`DG8@_ zv#N9SR6GU~^YhVlG9$kE!3jtL^j|hR-m~7h}GC%E~mI6{;>2xBrd;C z*B*u@_$Fam((Z?9F22jj)iqwg=CVt&^1Qn-eUvI z(hien*lqe9z5+~@Y>n+m!8|%E3(Gk=UgznTAEEBA8P2)p0>T?>HZv`ewtGcsfGL1p zX!HA7H`-@wz^mfx&M-NiE5jxobVbDZaBkv&&pk;- z-MkrO^6k{QD<8$*sUzL(pFp^zk z1Y7$W-+Ha$=gQBu!|_LMzZ8M<`O0M1A=8oQcdD};wbic=w{--TYox69`2iFEROp!_ zsVdISJ=q<{j+m8vKo&|$3i?y_Wox;(x++%P-m>X4o0|GwK;BNn$D?$D{nMvUBoqvP zNnd2wECApc9`O#H&=Lkk++Ge!mKm$v-`0OI3n7Pl2?b?zfkJemxTkvR{Yd}}pogWE zX)tu~`6*mYaM4LU{n53zLCqlUGqErQ-TL}Qqy-={(7p!dI(*6s2DLg-cURbP3@kL* z^?Gyfo$drRYwhjrj@Z8BT1L3t#w*=MGSNr}Oz0D5XLkKE#hS{kgM$UE>s;CMzJN>8 zU?8`W&!vA?S{j;a(Wu*m_1P9-D^+7_xnNNz5U~nJ`cs}Hqq2gDmTq(9B*H!%)6zlW zo*R&P|78AN=Ju&A=*=6LB5q2o+0Qem_=|=nMhdk^=UAqgo6sjXilsy$`4;+t6Qjl zMt@09C^}E+<6P4N$DuxfC2fKCIBvtr5^$XbO^)$eUol?Z?)KdK(5doS+||z3?wgSO zr2dfU-h9U@Y>Cz%@Ty&JY#L-xUegyEt6Hs%%iCVlTDC3|)kF8)&c(TGO=sL-y64`w zbkwklR)WlNsA#q!Bu<(XmUk$<7%&>Xt@k%)z|oguuotKZL)smEeay>zuqXWTE%PB4 zC*oQ=zrVhuQ1t~6taJ3Doc>MW!j8yLdd>b9O4;WDR0=y(bWJ$Qrppj%!6Y1=U)tIT4Z8MbCC+=yd%Ws`HG8KvwGgg5Tz;CB&d{l=@dfcTUT$w= zG)5JFiJE6uw-%Ev=cr*!7Rg zJD{#HzPVBk#d6ESNhzqWdeoZ02BH5_utR>UG=jSg!Wp%FXcC%8fNc`xk4L{ge!WKu_aT4cp z+aesketuOp%w=C>OXKS+wB@qLe4MaTxW}wj_Q)nQ$2D?n;pNzZta|OrXeGa06RC#S z-F$|cvmIogEIWarQR?(2QxrQ~5ocgwFtO`uKLoS$Lo-%Nj>k*A8yU=>xn&Qe;lGm2 zb4RS*V5Z(ZKx5^xb_v0?z$9_(EqJvTvg=UJ;QUNxgPP9pw#X?<#eHdCi40w}p(i19 zLQ4BspsqwFNz{1P68~O!#Vq#1S=M$a*{#z3kx{i`O-Y}i_<`Q;moO<2#N_jJiV3 zCDqplpC*sTw=b1&9P+ww!89qdVYS4GXFiQ%V>M8Rwe(?p_jk%2Mz#<3$gBq<8KnHg zO=mJHHs+e8peySvBF2#fY<7;DPjb3Fr*gRM0Ml7J|BaecFSR&~4EtV%`8wW-dA zTPveAwquhQKwAE3Q&$o~H@P|maWTiRd?n@R@!1;A{laF4Ouqs3<^?Lnn&>Ea*@ouV zJ%NY7eRRyvxI&$P{Y^|Vtf9LF4pBeQ<@xdY8eWil3ufs=TWj2{8V72aVh0+iVf-{V zKfaS_Ur6bDEt?J)$*fb5HNSwOBc~X3#|DS1Bf$w-eRT&DE#(bOUWxrhT@jbq zYBnTT*6Wq~)hG(v_tdW=NIraem1q1K;Jg4z&yBg|q3N2I@kp21j!XNSnd?}%X`~ng z?h8q*x-JMj`Eo?1^DpTj7~TZ6oshVjOniLnaKNC`Rg$*)ba2LW7cTId&NK}U!U+hh ztm$LNTO&DGSMR?J2=E1}2tZEKK>&61W$CsKl!p>3IsAd%zd zAcuvC1s0`5XYBecq^V&fzC~Vr>?tW%UV^D?U|{s-<`qHbdo^Bu9UUU!;o+SLV#2-+ zZDZcsq)fmC^;z0=n!S=^+&8iz~{ zPEA*}SQ8PT$GF+o8b<0sm_ZGScw$_irnlFCA#NmpJ+LXJ*m9&qDRY4zsnQ(Ett~Eq z0{EWko)-lpQ+@LHH|2Ipp0S`t1bpj>HlA9651QkD-C68!>DgKslOyav-g@Ku$mNI* z?W#1Kp#t-w-p#n1#_ob=t72vOczK=bo78~vD;@L~vv|5oh*jB-{m~y;P zR!$BEFWM7!mXR99!6aj#$O{$RX{P>MV_>fjmdulRo|Pt50}PK=kTX|hdC9t;K37{< z6`(kPWd~pr3OkJM{zUG9x00&l@MkA9*jSo-!Kh{tzEFN~b9=-Q!Ec#IX$noo$FgBU zKZadzxRIS#XD3R$43%$o(CL-EN9TNsAZ+Rn2J_bS+XwFTbgt2@iAD)QruJo2C} zclC(;y*rxYMo@K@J~=TTi8x@|IVvaDD8wS_a}1l7E56F z$g1mhZPMGfH!T!DieL2JTKf6Djb>f-qO@6SRIUseaZd_=gJ`fdzYva8#vE=6|q!7*3XZ-UQX{qfkRt==U8HKfF*`!GmxU)g~ zyC)6R?7?lYD;INwn+y0+T8Ny@otA zSX#JV54QlM99weas4qwbQm``kC*ho=1<+vkM4vl z^vz~`7BxJiZh5-Q-=KaG+3NN_)~4Kaj1xFnk((X3mbm^c9p%-@>;9j8#Z0$_UCcxQ z{&KV+F5a*jESQ7`#13QyL_CM!Ilp4fX2AChxtD9AY%|TivlLw7H!rU=(HXkWAnNlJ zNXZZu zk`xtoWLl{N*L4+l$Q9%Gtlujl_QyOR8|TCS=uYWGszhTcq<$Eq8|BjNdqh3GJzGca z!P=gj93Yn*t9=|uNLufv_q9}a^b)Wg)+E+3WiQsvvGzlHytzoMo8{2)r!;Sg*!vmC zxL&0vP&Ns#^LS%uI2K?#Hss&8ncGjY8+XK8Z|)UCYq@oQ*ug;t=CWe9r{qerw5mMF z-eTK{wcw1jekmqHtJq=~i2=bp@2&e4FMK8@nDBIHm{SOS{rWFy%^SwG(D<-+(duot z|M9ktuLg>7jR2r$wUuVsAZ7Ve6AVoiO@v?-C=CB+&*-R&~ zeJNkbyw9)qVoR`6oN!g z4iJ@_9mZ(S1%?`|linQ4pzgcdn}f(KYD-F8W7&P!3>!HPiF2WwZHwAlOdp60t63vO zn^zY^U2p>XGdiUDt5FLcT#-40C(2CIm$ZeK*y)<#{b}W@r@`e8S!)!V2FvoXLp=B% zWcQ`EJbtZ}6_=p*A;nCgf0o2C|K6DqsGm5F?I9CEl+4z8pL;-D_&~(HhnfGC^)zmVXS0A94?Y+ zF3xmY#NmJvmUsBxN^LbdswBLtEp7Y(%v#@EM$4r~=RR~m5;oJzie@9|`)>amD~)Ym z{a!sP??YCmyO@2^=7ZJAl%$w{{yCCzeS?$ z%brfCI-0v|P2*V<4vTzYWrf>+u*Omano%&vj$heloRLdXPB0DAonP!%dc{lb@P=N( zOVjQl`6kTpMlh(G&tY8rmzCC1{KLpqJx{?csBRViG!3 z?5o~7%Ge^rDJz+*j#aU))|_D)fBMbPJkRd_ES114 zaNHhvN+@{6>h_?E{gsj7WSGyM8pOYU(q?LA_9#Tl7j@T~A(bpBaDicz*AD4%_9{S+ zBb*W1MA(;Kv=;gm;Bx!xG*ndXGd~L75DzXmv0h_eaPpC^_96Dnw#r6BCg{-^N^hPh zOe{^4UjQwqLL8sTGDSQy2bb5zp1!j4hUGZ=P62LFJmCkJy5BHrV{(Kx*K zJx(}+UgmD<6xW^`ep^HmO3ORio4a3P(Mgb%WY-Wd_Mwvgv)7pz6I^){ zLcgr-eZCiPGtd)u`sT*tDsEQY<|zBR{{iX^WirnIBGvdr4I8~ zn=g57&g^SCzKt@dutT(t*esNPRQvys<=)Xpr!Yzh6{os!o@Qz*mZLr?*yn&$iZaqR zI2qI}=Ik$Jet(8wpVFw3Qu@8`7IEZ*!*0s{(2`{IO{C0J`=m3 z?eHdW4Ff1yl@s6Z4`R^>n2*sR?aokp%ybX-C!LU0!Q=Ukvvk6MsVlo{h`V#9g}uCk z0xn3M_NAvV>Vr2~0S_C%W-T=g-))TnBcn|-P`W5x?fTN$yycz0|A`HS+P}=zS35@DLQ;fgQQ+Zl=>B0jo#q`N zVU|9o{;>2kU+|@~RZ6tYpp8>%kGUhuCYq23oE$)JpF-adjZ_Nf;a|k{W-uYT7Iz5m zUsRr95-o9b+`BQZH-hF{H?#aAVyQfEuoo#sMs?%ExTA7(te}SISq8;ruW}EJQH&}s z4z%wTNq??Q-WBQBhEp{(LF`w7maB>7!aEjMGA#8zV7&EI^<3S7ddq!VX;LYamqpZx zob*qaA`9q5ntp6hs-xq?9@Q=Q_|82G259Qw+s#Zr13X;BWqax8G;5jN*tOM*`T8gV z(BKphcr8yaPUN_zS9dqf08&QDWUKMT>yVJrMj5ZgK^rpKt|X-;EPAlyn+Y~Ny2`(D z|8YL`@0E3QleI25Bm^c5Qux0(#MJfl6=Xa94fK^;R!x*Ne}jgJ3#c|(?*LU}K5hXY z2_q6fB8c#KCItJ`8eFlHq;zn;f>x@S_4w))@7S|+F#wXrcQ5V=IQ675qYms)a+Njg zTHqMtxw|$A{`SCDF0$<8X0*xIAJB=hM3*bu#|#!*u8x%204ql+bZ-$;T~XJ5=67Jl2k*P*SJIWQ>1L`kTh`Q^FZeWYU9}q(7{`w+ZpkBs zM3_x0OEXhFZMf84Oz24)%$l((B_1*jL7TPngUIy$YHj$NS@iz14M<1H$uxT}YNHas z(7^~u7Onap~7i$t$*1ballmD?1-k zH6I813%KnGwL%s65j76& zHX_NfY>CX`a-o;G{cj3RUHLe^*u9kve3_PryG%?>SUq8=-I%n7RiGcq>`A!+K zaeji@{33_8qP1*$=gh}nq(Qy>@W_Og?DIBRW6E)y$N$AKe4Kj7F`VZA=vUr$V#(J` zckFQeMLIr7(Myx7pSR){l4D& z)qmkvpO=f3d^`t0QHo@E`fk7cD`DmMTZN8@7S1R)n}L4g^Z*o!@*1e+3T%#c_mXI4 zY3&bush5_K7%Yffq3Y5i{e(6L#hBOe*}Qyw&aRIp_-jahqO;Uea9@rd2U$`;V5tR( z^f#xsNPkfZgX0b6S>2w3diS9*u8&xE~>l9z??Nm?pSu!y7`(y%vSOS;t+3 z8z^U4zr4(GEWJIJm3io@s+z__CV#%@wU=k<6mzp9cymW9)K|t~7ILh20XC$HPLw}@ zW>Y|{`YL7aP%5R3x1NLC(2(`Qsg0u}nbowP(ubEzn)zP#=!@QHno(O@`!s1)R+jw# zhLX%J#LU^*`RT%y&~z`Vm{?VX$$uk1qSyNJlS2KBr@-{muBVCf;b&E4{N&{1&q)%z zEx;dDW0j|2dn2IALV(n?G$~^e zt@Y|pJwu8zo3uy{G3lUVC(pEjdsPhl5N6bKBWGXvi?&hNZ5h&^%1C9tLT^x7N}umH z{JFmh8=((TUvRh@YY4uX)OqCMK5J9)5n`QhxLaGyDqD4OZaGd3k1%Fl=n=N+`l2mi zn#-L-nJlx=)+pw_G8!&=6ZMS7xJ_UyVI}jMHULh>m9A{d$Drv0m{G7xo2teQG8AYp zSM6^v8;6T>>D|7qgAZHMF$z)DShneJPsGd2TjLv}`Cp+@C?4vtpyxSAHeHDnj(s&nzjO*43Y2IpiZu zmtwRdp)~8s1Y%G91I6ZE1{0Sn6u>d*{-AD(x163mpmAjgxXTeJ9IUA!@cbfB<#u3=p4PBQ^A(Q!D9 zrUQH_B}bo{|3d$(!wRvnSwpH-lwJ6X{&`nL=EbEOP ztyBahjd^1p&5W)OyeZ~hxZoJ)P#NDcn}k@QJ)PdkMg7J{N1=hE&87DPrO|p1uWv}< zE?T&aMay}PTkJNe!M7BsdcuaEC_7E`xCCJbbOfXU{C}b_4_lCXt=B@6Or+_O4dmQbOy{ z9`I~nMkA7c^z)b7L-V_l)ctjJCZmH;yD5(%)~*8Bo6upXSGJa~RwH|k6&VyXvN%A} zj1*FGa&}(8l&{XCkz`D8O~Gij4HTSsjaUw>e`zK5^#-_;-3wOw<8e zeHDb&KdXI%?&hqAoA1R-rO;FRc$RL)6ox{QZkbfyNpjwg)VZ#?qM)6x|M|(}>r3qZ z@nWq0m-+0T4sa)IRLu=wi)weqy=gQSelsr}#?&5NuyJoyym~y8^Ecx8|HBRx_<<&_ zJ^T6UO918aNLe36;6k6EaA`G7{#Igo`a9j~UCX_RKrl=d|7-=Cvf1qui> zZJc|v^DytgmNc9NqT897snE)3i5BKNstmZdsn>%_)lbrw*dxmAB?hteS!i>->q5j^ zQ1UlM`2pRp`|&Yq?hi?2olUW&wlB{zGWp-wL?6Jxev?&VX|nXRraxs~9yf}6&m3ql zVjjzXNgr-JfHF?Cey*zOOcaF8mW6YiYmHtFT&<-O@hZ8JO@O8^VYuk~BN-6Wqd_D0 z`gyCbsaHS!X-vgKdvk3XKHc>33;%N%0k_ zTHF#7BW_MpJU(`Ow!RV?AA@DSfpvUvYbN5iI8&~N59a^6ZgPzVfFTW$co9f`UK-LL zkB(7K=^&sBm@9s~=D)VN36>#uFn;)1jb7`p=PF2LdI^hQJl{v>-`9Jl^cq?0rb$@r^X6T>2YWVvjJoXe58`^| zs&&60AK-}m8jNX|C0&E~4oXsCbW&KT3uVs1R1dape)z3&NnfM*6#G6=t(=FS?!UX{ z%xXQB6{#F8xXcH5Fc0*A$uAwm2@ixt+o@C7Xba@S3pe)NlbPo>1orCA(%yE}D)`!& z6$HnJ8~x&V!l>Y}OM@@UxbvztpB+0%#bvODroim?@yF|BJpDNZkoiNDL+*M|TrI$M z_-d-r$gK`L_Mt^+pN|LKxhCUKGdv2UT${w|tzhG|!OCToxz{ zbL|OLPY6C~IxnY|^-3)e_^o_}s1G>$M+56N{!kcsjcqRvD<_ESA`)NEmtCgnbk@q& z9HJ~C)OcX}l5}N|=u&&M#YV$KR3-&GDbtc`jBdL_%xSYP@6ysubkO&K8(~kXhe>m> zl#`Qt0g{aU9$;2bR9^1m(%PS!o|rp8)EZdF(EIl+x?#{gBTe;v?h2P#XAcjRfs#sPN&s*%=|kFbE8U#G(0 zQSY`A)~?ulURgzDKhZpQoQwZiut-sk!{L^JEC#NgV6TH)NR1BR@h2(+uKNE@<1FdZ zG|b;mv_Nh=SJSgffVeU66&(wpg!$LQdDFN!{r((ThZ{#1Y8rsn^l35e+5-CI zk^g;MLilC>>qNvqKMWB#@_&o=`6t?cqW#PK?Ee_C_`l@}yIR~-e&h(9{UI0N|1h!o zzvc7)dFKBq0{t3sdu6bs{Ra8B8_)ikUEvXsCU=@VKh;C~EzLq5%RAFUQx|Z&gOt5j zp5+nWbHyvWNgN$96ZQ^2zmP;<`2>vo8B);hy()L;Hz*GB1sRXks z9M|qp9_LN^#ajC0I1xuukGt6=@IxAyTLCellfj$~K$nHGNVJ{kYw zyJ=yietXTa34u??$RAZ0FZ1#$-#XPrfMDE~qG?2?jy>)c%HJW!+{|J`s< gM*Vl_EySbv^Vn5>TG6~e?6}IyDBsJIe)RnR0Z#pi-~a#s literal 0 HcmV?d00001 diff --git a/docs/images/tutorial_inbox.png b/docs/images/tutorial_inbox.png new file mode 100644 index 0000000000000000000000000000000000000000..951c304cdca71675e7685464df2108da33fcb49d GIT binary patch literal 51949 zcmeFZWmHt%A2y7)3Wy3AfV8N9G$_&`ARyh{-5}kdf`FvbA>9lE(m9}{*_hzqy!`I}O;oP^?USy+#Lrl~;bA&6vV7+CEOrf6 z0huUcciB;HlGG=$@z3hdZeJ3AuFA!4BoM&=oVF-Uj5m3nCpJRg((QZFv_`YDIa{HDcF$+Za8+|; zoO^%vY{`(S<1ZvwqNKz&H}2hV-+0e4(kZT@_0~Y^=N5C3o55Y}j2f0H65@E~_fDjFWM6LO-TFu7C0*W0 zPxV@7{qlhM2;=L}(~E%P&bilX8NLja->^RlURmG2o;Muxzbos6*Z+K^|9m~QI2*+3 z*Dvowv#!5?D{zbC`t1l^(e=wWLb2Q6<)a%u^Yz<23FRB$`Ao9Hhkc za?1GtHB~>ACW!EJEldmg{CR6cOb$1QPEhb-4I!GTATnEN(HG!Bd3&I^oY-_9rGq_+pPwpjg7_hUl9v&Q2>EZR4r0!U#bYHgH%+_uj znNTG6X1(ESB=V?4g&IIKp)MXCG_Nh?u>n`(n?51cfB*j7fXkOF3}CJ5g=V(w z_owUTeIPWv(NDNc$Ns4BpkvfA%w~E?>;}4Zj_JhW<&)()RSZaRSy&qL%a=b5T7!Su zEP(mldMYgJzth~nqr@a0c6D(APv_+o7DlYH^%e7&F=;x?RQJ>he;+b>R%Bf>TeoszLI{w>g z7U=ghV}5d}ZcT4{d#+VXhKKL7ypfK=02}U9@ z_tx>Y)Y9}w+>m?+!H>`}i9+y#X~0Vra(2uWHx(6oA}n;byMA`m_xS-7G5 zAyM^>j=J{ds?GacKueCLYwi#c#W2Mv+BA=N3Ch8AMO790KS#- zVc*Q_!A$@Q!Vu;%ekkzt>Eh6m1g+ohr;S%-4*DmKh$gokus=+X40(C$CWfKVmVBXi z^qic#i`hYXb&fEfqmqUp1On!Xo)5yiUuOB;U*a4W2WL?mSfw}yh4b~?7z*_Df8k+a z)_Gk=KK=m#0V7}Y2GV$0JYC1Fx%-kh;D7!+84CQEltk7V$^YZvF1&SdU1VxLfkmt3 zbpP(bq5&8zWM9$%+7ehR(SXYpG^3fBDGUZfjk$EyMEYM~rp7P+c1B#BpgEYCRW*k; z+?be{x}#|$A|vnJ!>_jbcb7eX@uK5pWKU0&3+|t=2hY!sH)fx(QATx*jEqztRy%3= zH317p5!IFR`M2?V85#b7OE2XQ-!jWHb)k-bKCjG7)!UfC(A4}cdG~#vWfwHCn;uLI z_`q7u1#F6KoLY_wTsZT1;wxsGue2;C%Z&n05S~z)k{PdmjY%4?yzb~>#OiR$a^P;Yv6=JA+9}fN0T(1~hk-M}8re%H8WtUi*Ys znL+V~b<13pr&4-tj#{xgmxC!y!0ysohBy1ur@#Ipe*XNqx7?k^aYB1~aHuJGcx{3* zK7amPAS^t#9Rk&%&c zaFo|>&qULTV)nXeV%E@$af8m>Jv@%VgT?xAY2XjnIW6ohcj>)zNLNhqW1pVv=4EB= zAH3de-$v^zmPa`988e{=A)OV@70X@GRSs5Q(J1{8GMVw$&Q~o~XJ%w%R8oSUo}Sj% z*B@`sq%pK=M^+c9Gdnqq`{$`FIHUej9TpxAhD^mu_<3 zUPYn$qNSst#kWb2ToJ`K#p7em$v%7VCO=HGU3WCYQG$Y?Svxs>iqw^3V9txvC*05TFeMCyb zb2MBWHB7F?rve$rU@#RG6=3r0DJLg@*-fkyJ7h3%NeNJqqD=m;+*P~{r{g9kw1BtYNTw99w*Pdp-qsIw$rDT( ziekO~I+JOEbx#J>OiM{=!2ZJI%O$0f4TRR-qZajO-XF@ry^d7gy3oJKJb+#Q5&s zp10-sYc}2LpD%eSqJR%@bad40eip+>V^nRe66OEF-QE8<#fl|RY3SGWto=bl=#4a7 z-DFN^5R6Jc?BN(~4Q1t@>&ud4s_e<^2m~V2>+c=N>jO%7e6iZ5KUz9Mq|!v`#Ta)X zNsaCJW^rLg38p^_IEFysGY*K%+kDmAw{EGwF{=ct4@APjp`p@mqVR6t7T)W4q$&NH z^50oGQ^?@sXPrC86qziUyvlq0r~HoM)vLXe6ZAw)TGhIZvR|!_H1zEldFWl1EH5o_ zc@F9$JG}5rHC|{1yfmo2wN_Zl?#@^=bY0{HguQn(8vEg|Inf@$)Lfn)6_N+ zm``Kl#o#-S1Ufu_Dp}z(k6WkOU8l}ZgZ{IlZ}GW|f8mg;h7&*I<@H=@`;s)mp^@>+ ziSr4F{Y0^s2kp{?f_YBLrYJpd6?YC;j$cAU zVUaEvxHE<>>;*?(UsYx0)@aIu=Ti1F)x|WtU0u`rVNdwEj_!h{0_lKnLbV!!2--=P zatjw|9ds)WgL^H3Q|4Gl>EX$mYkI+f}x{`ak*p&tw{KzyF~D{{v0_2N3xA!R0al>hAglAr{LkWI)>G*tJg{$0Ven0 zs`c@PlsdbiJR1wkYoqh?v)X(2-Horm!I{c*6GP@F8O=1H@D7k;OfiG0{G*?)fJeYF z4rDF3Zu|cVl6#K$6vLyXuOFL~Sva}T+zj*g_tV$cx1X;cHs0OeC&0)5Y0?J*C-1W} zWU7l6ua>BhCSA#kAFKz~e0^eF!96+gfC=qj6_=eDf8JU5w- zulLaoq6q{7&!z93934RyBmnSryn{GdjuCa7ZhRxi*sTxHFD~<;tnBs>kBzzMo?;OR z4S{sbpW)}CSBIl;QMAa}1-iFxrp95mP$?7ORvxH{n)A|x)YL{(B(sH#ynMfbXLRx2 z1~7q{e&;D5Nl)_fs#i*Xr2+LQTV4Yl#i5Y37^0v;gc8vBoGzs|1#lWErthzpro4uf z%rP_1T!Ks{Q%MA(S_}ehQT_VeQMd?XmFf5I-**kYz1N4bH8h57YaC3Mn##rMRhEPJckXZ{t-Cc&8V0r-7qNfO z5b_>*mOsaD*}uEgZhLa)de|uK1jInwfmjS4gJPo}QkD$`PdT~#o-1vqbJptAayEl< z8mn{(2*8Na`X5d%1VAb*K?qj8G1_`*>&&LdqXV-Xh%b&ouB_<#*XdMQV!bim7Cq7F zf^`nFni_Tj=>eF}S_$+3NyrqoE0E1EQ7gZ`uUd;dr0m9}0)sS$Cu_xJBThr54kM{;y zOM24;)Tn%Pqu(7|Qz-9mk6Io0^htxga&qHPNhz(R#x!_$cNd_8!gWOC4@oCRCMWB% zvKDQnKtLy`S*D-Ab-7~{;O*8MpD#xW5*;l^@2Q{Jo(O)+ZBJA`{ar&}m{z%=rq*hy zUaKQ~o?uxN>m6VS66TT%=j+FbD&8nn;krw3?+35be6paFmf>*5j~|y~)f*tr?`^w} zn)KWp8_uyrzF}sd{=01Cw;wozCwQ? zi>HVA9Q(Qd{tTj{-UJSVMsBN}X4=4W8J$yfpfJDx3^ydosL8`&D(t(Cj?TE&U~eyl zfZsby%YufL=;7Q2-xKN(HPE@mw+gnKNyN{%xmRYLS{hJ;T$(3{@Te&N1MK_0GZsC6%S*4<6KVoV7I>83*>so8-)*VwHslDNDT?j=e7iUH#??jO-kFuA z8VG@egf2&wL}+xJ-7lKZFr)FU8W7bqpNfCEV@%7g@3z{n6Jd*nVOw71-@?O#XS|7s zzos9$ZEeLYhTFb4%<7Wg;Q|Q-B3W=pIq}kCOPh@{5Y>vkPe@o+@VTz;B#`BHw!>_# z9`y2PvX7f0>g*LW^FEY!;c$1isK8%KYjV=izs6v;wzrL=^|G?${JAuU%5CG%R0~JJ zmP7Sw97#vhT-okDM6zAam$h}+^<+_%$lOi<;oO{0AKM#E%AwZG{r#!EjuKmDg#TnZ zRJW$2Lf6ghFer|ZNlvp=zj$AZq2A=cz%|e;6E|^R22mwLQt1K!-kSrFjDwEy4iAVTTTfM4g zlNzQQ5+Z`V6td{~JZabmhm(nyYFGSSFKE&($1~M`>QJ&sDUK5p+&dwF2D0yZ)l87%{%R3E)$9TUW>LtEAje0tjp6C|a%>^!> zL;TLKF9DwcZ0~E0ii!%U+%botJhUJ{TYIXx z!8L)tH%RTDfBsn=OfhrMFVn1)wKtVG&MD2q~nv4 zSU3y}5G5rx9($&nfXQJa5XG#-^>#O3-wcpKHjgbVNR9;w2?$gT&rda<-0KBXbx8tle5$B)*puO9LOkNB+aZ%+Kjj|6r|wpAYk zSgHw^km~c?;pD``GSI@T6;)F-S|v?{ zM21AAZH}b?Jdv5>;sjNwT3k}n>@r^RZ(wkKcBYUiG607=?QH4v+REbqH0q-eK66ct ze|NO*gnGe0bnldnjrH@hMo_hey?vmSg1o%3$}0eiI8D{7=!}#*EtD{Wr8#Ky^R3P+ z*DhB!35hSnfbAjY@=I>`amN_+@Ee|3e(ih!K&y!~9*aLFOJdcpey{V&V@nv2fTZJ& z4QH$KFekOd=A&alsoV-4;j`WLF96y0o33@xN6*8c6Jw|&4%lV5%ZL_uz^*82J0GZO zv852Ngf|cUe}j4Fvn+ML(Qb*N7UC9X?(k_B7G_fM3IrzE33eswC3uVqnu&g`Che0( zfd*!@z(rz@_6e-Ag)WCA0IF?^)PQKAryA6BUU?2u0VL$WLS233^=O8srt!anZ2nfc zILJw>G@0irCFdE+>X%*3jOV=nNnbfB%U$UxD(AidUOlL&@mnmH=Ug^x%4_slc@oBAkAM}8@NwI zq(wTI@!E6KEC!9JQ{s2aokYb@2@71MSkVOT8}+)-(q^8OH~-z#UHajBz(yL^(xzMM zXTLet`v%yAwShDU>wjyCYVbUsPCfD4w{P+BFM{7IDhBw>aMQhe|NecIbV!WE1it2JN2khv5C1mzXJrM6SI_Q1)@Il|+9s~xJl~sf3f}TgVA)PQ0 z5fNGr-N)3_7Ewb#!8ZI)3s8d`x0}!|#bkoO^6lG?x}7AWV|B&r7*{TdwFUZj!o(67^YZ@kpQDqDVnHD+Jf|gF3s{VnvT@c~ z?7xfl1M6p5C_sqtaB=-Ehow&zJe{Hv0HG!7hlLfZ6^vExB_}7>fNrNJS&T2Bo18{N z?$^z`M2veX#I?jz#y2!H3}n0+?I~`=P5{U&ncp>}GWfripMsXT?-G)V-@?UhZZ!Vg zOR_NUzV-xJ)?zttXc&Vz_#Q>sLi@&6{S70hCh3zWoM2lC);e5tw-af-5$kJjUvBYb zEWL2t{(SpDLPDa%)^^)-!C|(=Kxh9@4eK~spb+I>e^J)td$d)|YJ$fJ297WMKSr51 zudS^ut`(aRmmU|FmOHxX=jZ?YxgKJy#UJ@xZL1w(~D5) zcK|-&X}%8c7DL|tA4x<(z_s7|pJ3wuDii&muH^rB@|$a%gD;i`ktJ+3WW>GBaYrJA z(~?rMg)@;Lo22b&unK+x@t}ComtF~cqih0A{xA4zAC{=LS4L)f@=3Uez+SO_%p5dv z%@ijv$QWTDhDk5(twnap(`{aDq<>-7=IbmTqYg%~4LVY%J50-6Z?^L7@(1eoa?I<> z{947ZX~W6v!NU{Vf_F6PKeR|9Cq{d6lg`V9<*y}6Q*R#;F{j3zSElxDvOsfD_)Pzxkb| z+AIl~Hs`*yEybQc(sO>OSXVSBRn#2P#MgLz&abFE5K50A8Y|KF&VwGldrZ%`G^c?K zD2$UflF|YveAKmhCMKDd!(mu9xy?xsmD{9B;+aj8x8FQDU31^=-%}{KzhtSNLTmjJ zetS(1UlrX357gA%1V6+F150--|2eeNLYM2S=P!<}iU~*LKgv zP52D&?Q7)gfCnpDpjG}_VK+nJ<@msfVOVx(kPnJ0V2WKAu81ym&L65Ea@j87210f;d zD?k7C_UC?n&5%a_(ba*ov)f`~pMZOi0|d0~*_=_}#r7}ERjLcPd?0jQgqxEyOA+Dt zg4a-)>oLV$k)chVIptAU$=?@ax#}%SjeOn^Dg+R!eWa8DjOCy~ld2l@$L99moE-oY z0kGR(R_MdxFU(CmXv;W63tnc>IJL_TQB@nA2skl_8lS1N^PF{nHN)7J!}mR$ILZN^ z+)zIz6j%t@g#(V3AzSx?K3{Y?v1+&9_OK&jzQ_s-lL0tiZPUtg44BZQp1 zJK#b=tqcLcJWtP)si~=%I`6+7chu$qbZ;*DoA3fcFCSP21VIXC8LZ3~P35 z++awX)5x_P_$(nIomI6^o$JfV4k;eZ)=W=t2jH`+Sm)TJ-dBv{*k- zC!`i=_Uidt)zhQ$UF8HJm<=$XTAxP6LLf`%8yH~Y;P7;Hy?gIotoh+19GqloexI>; z)kaVB1k_IJAobh&`a0mDS+t;Iw(h>iI}V7(nkrYQV#rH2wkr!b4P9_d%!x2?&>8%s z)YR0JkE(o*Qgixp0cQ8ZDNoy-BJBYfIxrPJD&d#(tM`~V= zQixrG83UtYMk!a(lc=tayhrYvX^1(_R&qPF`(K=Re#e{Uh#IqAmMi*J-08P`B#xgu z%y(4Ltt%;+hUN8`I|WW%uLe6?VRjNpS!c3b@Y-t7akj;OB#7v0x1H#|eN}a}8z2PX z1Ig1HiF!`ka~6w>bnQ}+RGikk19kH=5YNmc!vG5~<`+$L|9l*(7gkC9M*|C5U{zSCN%I>R8@TdPZY8+PW`7a5K9_g0PSn))Q#|UXY?He@{A6 z620!GmDX0?CL_bh<1nAY%I~#46eD^C792pE>{Tj{o7|5a2duewW{%pa&363UHq92w zv{isiL4^+JGOFOBw4zJ%zUU@VCZ^(fB7nj0s3AH7#SU<4A8pCFDRHc344(#XjP+_G?=cyG58`A+EO!G z2v0V2!^|$&kBOx<-1r=x-JyLN5JxSiGD6Eq+5&m~7_pn_hN^W)xI0+}^|sJv+c-*e z9yA`BEN22K-Z`a{(CKb_A^b;i#Xi`~JM{-;BrIAJXdN)<440Re3`(hd-Xk4)POx#? z+coDgKp8>)urR+&a>!C6c5YGdjZwd(+~tAO~yb`rr`Fy-b#JVr&B=6bpTi z8^|G(rN!OLz+@=^y#iPP-~gDhHuPH(wmbQ2Yi4F8u#&MGot;T-%Q4h16u+xR4_CC7ldg-Ilgs{axLeTO6Ylz34k2K z==Ar6L?|ItS`h4B-9~#IPb)d3$92zJAzasdMW zQ2g}b0%Y<`3$_RWKp>KecWBJr@Bi^^Zf>r`cA_1DILv9*pZ(TkpHsgc(|$`qtmqZY zZ~-V4JUw~o-i>^X(?lgF4PTs{Nl8gfr-H2~}v)Z{l(K%Mw+7QYsnFOqB z@Ap-(+Y2lXfg}L{Lb#u0w-Yialh}E}o=Kmy(}lmAei&r;<9B||mV_ZGmZ z9hP_3f^_j$t!BASTvD1=8QY{aCOPi!^0u(`(62v#04fZP4j8jBQ_3A4`qo6Tb1kns z-hK^>j;MNdByq_>*4bGj?6*=x{P!^BH2{;Vi(FR&@4C%)b={$RqEZ|bTYe}tTWVcT zN3Qm6FG&EKgsMf>wr|fJ1-TFu)Fo*F8<$}AAdT0_#!H!roxLSMSWX9^X;u}C#z%lh zNn+D;RN?cTC@l$b1Tw>`KhI;DuLcEs+d$&0L94!haPa8SqjC#Fc;5h!rrjqXxObOG zX?^H-a~r$_07i*+m>(Bw8ymyT-mb1e(lIo!RA*>?(Vy9FMji$Ry6m6}Y*##G4O5yQ zH(dvq{fG#;{v`G?b`v%|0y>~Y{uG4Ap_Z}sIBgaa`#M&Er8 z*BvoQh|f$#+)neX&z?O4_7ez;44T|jqB+2c8GPQV_`_uedPbr~CMYi2v~S!+kNqLz z+vgC4v&y_#8`khiAEkN|hL7Y?U2jOVQer6HyuuWut%_hjH<%BkzJbeUu4*}3=oxG; z1TJO=UP|cf??-SbrgB#tvu#ZuM09@WrOuVs3Vb&55p%`%xpzmn^%7;IqzeTPRvaUO zF>mjRO3)ho5)vZ+MAQWAR*h{amswYTrYD-mD4OQYX3)t(Ur*1~`f^OmrEP^&u8L-K zWaN*%t=G>XQ*ysT6sA{l@6gTrqp#?J+=XMd#-Yi7c0#RCQ6UY}-?I?NOX9IT)A{V$ z=Ym=EKO5Hq-W@t;`S$HEz-wTamqMREdsc!L!pV}M;QsItC}vSdot^Y#?1nF2zMQ-2 z%NVs91Y1++X%^vvS?_9-I|||>2ldz)hWTowW!&l9eJ>tL2w;eUD*gC&jx~7Z=*FRV zSlSGB4+=44G*JHTY^id_53@`V<2!%*K!XL(^X-!_mNnUz&2E9#B`&M|DecnHFXeFW zQ;juwI$6l5IPbwlvGxlAI(xHD-K?^<`g^7VIx-so@?znrn>&76INEwPp;t#li9s~F zYo46c`@C7+_M9hwlTr!I*{?*kgu+ ziId9pWfT=@c$W-aWgmzarL*{bQq|YrKdiO^*iYCvkWBvplDK_HXHdvoi+uy~B{@i9 zp3>1}yRHp_ds1>{VF8ywM8WqK|9grzh>R5yu=%yJ`Ksd>XXXSoi5**f5S{+{qv?Nf z?7fH%1b}VT_-k|d{`Tj?!^0UFG~)Q9r(eGgTgwYLi{n3d@`U)o15B%)eFH~|!XLgI z)qUu^*Ypjz#_c;vf}J?NWhyXltedku%g& z+!jcYt|;m|_yd4~MHM%Jrb=M>>N-{RVzylDqwIP@o(IEd)W&CVpFoe8KOV5ca{ zi@Q#(#lrvu!xST&k(pV}sy;{yW*zWymPh6^cY!0WvV=bnp9@^@f1`;D!fHiDMPOYm zC$%ZvCLT245Jo7RwpoSXgmrwegRm1rmv5VaW*QGd=wPBsg>(MGr_U zA6=b}Dv`0PH)PgP#{vyZqb&+bp7Hmz3iv8#tzTXh0a9`BS^lltxYv|5efY~Fwm*HpiVH_bMf6>SL=I%o}i zrj#kd7W~1(B|NHlDMGh9mc1w*`X=mElgRK9UEyNQP6o^lGrByjN8LPuIHJ424E4U7 z_KeQJ)w+vEMAPht46g*j2C)J%nD2t6ig!2RELD-JXeWtQVRG^-4GEABnE+~+jR2j_ z8E`SdW~F$Q;dVJynJ*{kzFFj_l{?&@e&XjaQHBsSxm=B+RD3}rikU5kXq7cXwKyUO zD0v-9kn_)vtV>ixQ)4$coRLNya!CQuQlK<$Sh_d@1a>pF#TT&7nJg`5$KS&t3Bkm6 ztrumAM7MF~!hlwOSR1J|yXyM)VE?Y|XewZBladO7EQ_PAL;%2f;$b*}fd{dN=Lm~H zF)=Z~99_qLc|e*N8>>1Ri8|h%_4V}?EYYf=(^6)dFCC|?T>cQQ>ji@z`<6Ni+MNln zZXVUnWW=o=hDLU#S%{Vew09}=$^khVjj&I$VV%wB>ICqAEf?Fp2?E`0Q_Rejl^Zn> zI|*KGy$YB7&fcg{AknYUG6HIX^w7}I%uFNnd>xxX^J&5Hc7l5}<{SmW-4ds>PZ#LG z?QtzZxAjF7ijtUksK)NP;s9Aa8 zaI9Cb4?^UHXbo)zw}s$4y=snQwrkzAzWq5h!oDZttJxrXo&?&kdG8Y#fbPpnRNM}D zEeakH+2vYT%hA2FTs<05WwC-K#mBF#BEQP2ac+7hUD3ORk%`AACK}X#7;cUP=(|Vs zwno$n0dwkrly6z~$yrA}&rPNT?_L-0Yds66beW>#%!$) z)-`ofkn6T7U6n65ITyjG`=51^4Pcu*+fFHH32^GOQ?U7*Y}G}qET|Z>d#ShaCMy*V zQe7Zbo&Bzb2@6T%7wi`i;o?BHqaHVJ-efCS@vrgf0fLl@C#Y8R{2frJ!HtdSJj5AV`4Sv_dg^tTE}D@BUK+1) z=yR3b9;#5Do14ov&vu>6jT@pS9Dbz#2qwlOqOLqG07kKYEK7Hrikf%2Q zBp7*xM!o&b?7{2FLlvnC?Jww5u-voTb@UY_3A<;$5~1(>FgvELHAlGF)9h&3gc`d^ zW{z>&8t?fekQ>N%N0Ur&mg>R^e*PSyNr!ZdkMD~DT_V&n!_GmS#wQv*^xIZ}j4Vln zglyZ~++4p!f6ae~8LlyEi{cmkd0s$qky~S{fy71tVbV@IrXKBsDk=>J~lRotCNMa+U8qSxOU(od(cci|632POe!W_~bEx@qLs;A%5HDlI^DBmz1 zI#TD&mYmKtxRT=O-=h>5`};>ULH3Q$%Abyocdjy^W(&k8`pbKtqq6snNP&nJGR|Y3 zBI_89WNx(lEvBIn9a(*;+i4nTSj=~vtKfZ@Ia}+bq@bWdN+Sd;LbilBevK{yVg(0D z+7WtTVJR1I)xO~o5iCq>S9{%=y}jI`m{T<*K?Rq?`3c%d#ag5tV`^(FF8;Z*35ZMv zdj|Q_e)u7K6W-Xd)mhpsltDXFXG7*J0&m>FaB(>RmWm^IotV~1Kwr|OGO{TCDyweR z(nxWyjedlOb`Gp^wEUmOm5FTm|X79i6(+&nmB)Q*jFl1zMvscU-2OvMXX0C zTTkfBE@)GDnKf(mIHqr(b^vrmL&R_yi0-^MkXp9Qo@;{!#l^+nzkiP!tziaIZ4hPa z!&0+Z`}><|h?SA(g*PS5kByv)_LU@&HkPlH9=e}OM?^>K!dyCg6Cfg(!%?{;b`1@O zo{{{tI{UNBDkUdC^Wus;!1<7CJ;Ca=`0ED9V+Y`Ulh%Fd=|4bmR4Mx(?yuqD=WEYn zp4`JFB0?=+XO$rOp%!p^38+sdHjO(=;6S1D{CRv z)NT>PukN zitF&s?)S8k1-!m+nsGArTp^93+Iuow1G4GEkfku^13}sk-^3%*43yK=o!NM86^{in zI^KLBT~hvrtc)t%+A2wvm654WUi4KZsKjsjz832_@XZ0`bz$ z6XBU0MX*UH`x2)&zk+1@QyxC^`N9@2T25mYQH>fYpyti4U4xfM0r4T}h5z_?%4@5@ zt8HGrqrzjKqb(biO53AU+W;)7_}2VYgvIml*NE9VJEuKI4ZKd^LNWRk#XL~GP=Rx* zB3r)Q+!P*uPBof`6b~Q1^4eWIS@89o9?2(l4Fu{d4KyQw=Dhg=9)4e~pHJRdSDfRE zObTXDK~H>qWNdE@qIJoHi7X|*#ZR`5I+bq4l0At7dW~*7_RAULF9Za9R>GDjN!rE0 z#GzZUm_S3X-8z3QeT}5L}MZ53Jt_s+H*Ca*f&DK9q&HH z)URa*%7mMuGb?zsGgp0?Jyt_mpN#yDQzX-YQh}1kZ5_9>Cw5Iu6~tcsqTr_jlqsW$ zn33Iw;yGgfY>>Y@bE>?R(CfPkJ6a7yH(c!4I+BYzZiT6k6rf6Vt1M@#3&DbSSZK9X zNaeOM>-4rW3aFXt>$~V-q^Z+3_B=mKNvX25Fjv?1qot&rg-m9)zp|}4&+Z`_3_Q|s zy{=&GEAPjmfyN<&h9UU9oSfe7rX8s;xobD|eJo#8_a|C55e$Qc@^q8u0+L0mjhQ;v zuHvSPy7~*I+rYm3+EZ(FW8AuE#&r<4>*j%2qBFHg0G@QU)J@Aq0BB>2no1o&UUc4& z08^b{r7v{*w^si;8 zVN%(H>rrKbLCj^{rvdFDGI6vZdg$92EqwGSE|J~92VTENs<%!^DZni<@2ID*EK3h$ zp#NzBCgXBNX1>u$#3zAlNJ;pp+J!vQu-phUP}j@(Ja~Pf+(?3k00-yA(&+;diAsZR zwa9TciEl*%woe9Sx&EnfEky1yU0odAy$>}J`y3ZHnmn9~y_nGJZL3-E=k+_~q&z7n z#axv$1_~a}F11U?e*vpPr+z(m)9Hr*a`<-;p3dXziq_wkS~ThB$(0`f>U}{(RaBA= zDlgVDGqt)61wVowE;z!DGMdo3uvNIbGKeQOd5w($Y&BEuXizXrCG5kEY`cwQv#s%& z)9xFX2Ae7B&+q5VGj2h9jWAl>>fuDIp4r-(8BWVP4yi#Wm=V+wizc-4B^8gowZqQ# zY+boz&oQ-N2|sP_9w_7xp~+AwXdv^@ffZ1uXn6hxAE{2KoPTU z{Nawjp0>8O!w#sWYgs1jTjtOdSbs}G7hG7lHdd_Wu{|Z?yV|dqE}&VKr3neWM{_yf zgtniq214dk=_ruH!~9VbV5AscyigDDe2c}PVHblX2`n=;c2+_2vq=&nsX)I7GR;zh zDxb@GXCS~xU~vnJ!NL#V=&6?NK`t}6gu}d^9>V*m2&^+?d(* z*f(UEEc5t9q%16s6ounnNn2=@84mOe4h{?eL+p9-!HJZLij;H*iPUMGU^i%V6J}u% z<$zD?P!liG&Qw}_>#!1>_$ncy3zVz2wz@#G3bfO%u1EXFjwBBrP|e{NJ_q2fwCe}u z9`EM44`UDH+Q-{Y)X3_BaUJ#{G9zR{*67>J42pqjw*%f^i! z^DLPlpgOSzXJzg2`@HM?)QZA#K&)doYeV$n^5E2vii2q;(#ZU1ziZLo&=i$$PLAvD zLDY24;sb|yJ7i69DQF6&X}B9UQ2~};H+Bx3_fZPD*m-a2Emsgc2o5)?G+x3E1)c~(Kq;GmbZ{Fu$%KkuMWPPe zmUndazl!hP__tCgm9-`)v-}|l*^(3R%~FT*$&sj(&%MLcpbZ>~xZKGizVkC)<^V_V z)_R2M>TY>NP-bB6-!(v8eql4l*l6`+q@(b<4DuRsSwwS zr7SLfz9K$pz8&5`rKQL8V~BM9hd<^71OzX}Z6n1qoyJ~l*2v%@ZUimmv=3@I6MFW$ zUiaYQgPZbKmxtm`a7F>d3viW?bdkX`)a&hmX(i;e9-GhIy<}o>Yqk6IX>N@-aof>6 zJ687*VJ?S%pZ#~!Q*$4{oz3$>sdK`a-`5K-Zt=?+^nH(O99g53<5}mHJL=l%vTk|C zxK!8HN&mSNxZ95mePAT;zxx+oBZoxH}5d9j~l-<}c- z?_E9l&>;T&Ah9bNkdfl$eb0$K;)GC+gNrGk@Z@`A zoBZvh>-7zeU#wQ=1EEt5BK1Y01YQx;$Aq5YHIM%heeimV+VPj3{R;XjqH4_xoBH4B zIB!`Bj8v8$|NN$9g`dp-atmj&)$5!w;xb~|1h2lIs@yRC6WXnqk`1_ySSu^p!hMc(R2zZnkP)%C&Imx8gu3nqqqG+Ezm zb0M@OB=Aj(hV-}3uM!FuagBQ|sh0lJxNeN|))jMpJPUJuvoKEPe z7C#Q%V7Oj^I77E|Uoy|p%eRa4vWHK$DRy$|VM@iwaDE2S^6F~h z{Cq}N0mJwAtg`X|M0p$`$6w9$cQNaooOpF)?`t{!yCs9&daOAX5AmW6xm^k9tJR-rp=!;hrl1cCf|Y_C%3aOi3OzBd>ok7#|#A7uIB8TO&B z&?|X=iT2uU!9P}{?E1UN9RxeWLX{O7(t3LPtbbYb^0ypE%lex$zxHn0!2Nmfa~#1h z9?C2)$7Bk+GCci-C-UgyY;0FS7j(AvQK&Q#Enq2ArM#~@U`&zSr^VrWM}i~U{EDQ0 z6t35HijTc-k7#vMFZ*TKoAtZonU%VRL1}q8yubekcR`Q&d7DLoC9{pK?IsG{y|nw2 za~9qa9ZmR5h>wr&)vJ5q1dD7__O)>m*Ui^Mv-+$!oJj8Oy)^hVILh>-q$Sontj-6Q zHCGhSOe}yHX*E>SL)n=K8N=uO0e^r8s{J#uQ&QR$rneuk8?*?4FqI(xrX_#CmL9JD zTb1jD?r62XPr9;NId(UytBOXkg!3VcCA!@B#WUCLmEo;6-9L+~{Wy{qAp8}@3@=j= zc6(R1hY~482^m@eal3B|X7juTMVFn8nkciVu>2))!;--Mm~FfV9<%eP^SaxMg6la& zPeE{&yy@~hr#j5+xb59sjav%FMN!N1$dy+VgcHIXuZ>@3z3H+0=Xvc197L;148HhI3-azIfeEm5J&`n`SL6ns6?1qAiFYH9PIXN?SsA6 zvsGj4srV&;a5}oXfugs{3ZBmITMLCL8_R;UDi zzv2&aKRJ25xxpLAQ2-qRkT>un48+li$;tITN6c%}()iS(0iUNT&892!0l%Z5pkU;G zbu_SP3)Q?B@}!-sw#l{nvP$mKaOtKq4N9$NXJ?VQ`+vglvz7Ur<}d$R$bAvdKB!Jl zPq%_603NTQyj&??wX>@$yz?)pB41fUHkbw#4qFfY;8*ilmDkg2GAxgYiZZCSUZVD# zdq6|F`XZq_|5IiFh$wtR-{lU!=;#JDGj7|dZvgKd9jnd6Y^;qBrekh!NKWO>)MBAv z!D~Yt1th6<#FHDILkM+)++lk}BMA#L`0?#~RA2roy#Fy1suBMv#3#0Pw@; z|Do-zqpDoLwowaNAQI9cNJ}@;C=DVlT_PgVAl=d>NH>VIbW4M@Al=BDWyy0cp78|58(oSzHh^`u?}U%A=! zlK5*GeoL|Mo2>`dN@@Lf7WZR@;GE3vk}pbXb5E0cdO9C5(1W`KE%y%8E|J|UELU5& z+BA3k!$_Pq7$p_+WMkf8MjJ)h&RyA~Ui%B41^sP#U`33NpZ2^L1~l%pXCr!4?X%K+FI&8<-qz*rrez&@Y)WEplSZ4FN>P`6m*%zC*a!CRuhx{1o@8}3J zWscKR1r(K)U!SWv$oF|;2-^h5u!lD5J8nNI5 z6JPe$L2yrpfeDF&D)R6Aen;07qd`uTgtGF`Z44o)Q6jC)hXuSCVf9Km2CJiWuu-@l8`580K&f?J}= z@Wo?#6;xNH-W0*}-nmN&lG$pf!>o_QA}!wyMMa@rd_*(R!0Y(f(qb0Feb0>|Yr^bu zrAU`wM^z$;uCtGYS$7qbILgW{^NE&w(s27CX;Y@F)=X=;{dt_MtoHo)N8uh|-0uPr zm(2J&9ZrzP-_5^cdRO;(13NO)#x`N8t<28q+DzJ+j^4R*x4g3Qp^%MOt`aXjb>7I~ z=bY=yUd3VSdhgG!K3ySEkB$Wun?riD3kiD95c2yfmwiI($NFnMtV(M1IEXYRhZ$d7 zT%Z00N=b9v=*=e<({)bR{#E8P^q7ct&e!%V;}a8S-PXjkKK%~%I~Nmu?hc=W*gm4;IV5M<`SX=Cnc zpIPXlqjuMQjem~Z!fj`o_u$TqY2(GpZ46icIE3@jfF$Yp>Bm#v?k~3O@9&@XfPUEA+_7^id!B2W2sukH)$J0Av|Iv#yS&!;XQQu+ zxQUjE>SFatBMmwThLxj%a#OCmTp)b;p^5$2oOzvpxA@J{CWb8t|xdH=r60840hNQ5Kt=L+sxU<<4Uabr55 z2zl>!wqRiUi?YY7@RiKI&|%78`CE82)wp!^+e@asUqWl8ln4_y>_+comKE9k<3)uoi#u6 z>;Bo*)z>YGz)JNtM7!IPohldSX_WQ(;#zJmicOE`@`Msc*;5 z#PrdXhmTJN9eY(Ckw)fz<+9B38ZEXvlX)C=&Q~rrsHh+Fb&igYHU1Lg;#RC}76s_p z+HwjBv$8%trG1J3gkAvz;FhDSl=6#Gvw@9{z>}gYj2LzAnfN*&?#F0@l65y)MWS2;bA)alAAH=4>lr z-u;)osYL`4T~?0gl?A8Wc4j@jAu`I!*jU))U`8cU>p-gPkv5C~9NtUApmDP#o`(;!h%zxyGp}{QC8lU4z@|4J!e4TbtOVn(p5@ zfO!beBo@)Uo13PL7xkp15JGePtoz1yZaq^~tt?OxAl=<=yf|a=xWvAkNcO$P^33IJ zsja6}%a6 zr9(seW|fX!oB0X!>%Tb?lB!frD)`p9{Yc<4wQkx8K`q%uUWG)h%%x+phL0k|;aOVT zXz-oWDKd0gdB(V(G!)Ygo0F!Jwf(JaZHnP0hgmP|`&_h*?|RR6%_bWi`ly9SlDQeq zUH;{nh9K4CjnUT8QKVN}SzOG@Vrc;&rVdhi?OOvKH6^77iRO)p`C3)IJ5INR`Yt6K zXF8r`q8=Z~3UtK986OZ)v1>Dr73$pq-6H}_UoM7a|-njJw1Z_s=`dvU;3nh zFrFq%z(t>;7v1lwhVb=~_~()JJ;@2Tli6Tg+yg)Q89_nh2Ht?z7S)@DaRkBUVa`3h zO31ujG^pf99aXcXA7A?_5a$q*UyuuaUrZVFVdwDv|niF7L=B4TR%fSckm1``O;!OUsEeo$0ES=Y^;Mk zKUQ6l*V@(KJc@~mpQNImYvQ#@m0A@sn)AlHY^-|s??bnaXXa+wmPE9Qtrjfj99tAg z4qTB$jKRwRO0GY9=^h?`*0WWaoh`3Ta8`c`Umb6&>77j^JIJYE+|E_6D;4X&%~2s2 ze3u>T`BWY+9=M?Tv_^HgKd!a8H~O(_80ZmcpJ^|aZR$(5D*IomXNG)E?WwEA331m} zL_tSy*llnTzW6m~>?#@!58aHOyYJPH58mIFLh8(}~pe#1k>CgJ+lR`b<`$PJDyonv^e13lJaj>kc znY?p(&dA`}Irm4-tf%f?H2tzX``IRS{D*35hZJ$)1uLUv&+Em0!!elfa}MimLa*%c zAU5w3o0v`dd~vkqA+s#~tQvmG0?DU|Pt4ncP(^<2g{Ny4gpTtVoL8C~CgL5i-}UPM zgmO;y;c4;vHS{rB!kmm`iGY>c zhNh-mE>8F1(wZBbw*jT=_3_u2&-*cJqquJZP;bOz|qHHr| zoC#7#n**ORkxUuta9f^0v)JgBhV8C+=YjEFYvcLiWy)%=m<$jp zZ_lZJ#&xjKnQ@!)zY~o<5kAHAkHx_SWx8yFHY45}BU!QYd2ftuxw=O_hNTNBTKCOz zG631?XnaV0gajMya`cXmHzNbseys=BDl?W#pPeqrqpq!oeqgPD09S)5;yK^Ir1$ zuy5qYN$a({8)VIkbLZJsuG8l$`OSNbyMKv4V$^;$Gg(ndyIb4WyF*dQN)WQ^adqCh z07At%mtDcBu(sLR*;Il3)|N1V!I6=b=yC-40e5h6vX1dreO3Z~=~}|e&A%A*y;|}q zNditk92~Nhj3Y&4i^zSzYQ&U(J#D~va&j`TrQbT3MOe5I*?ya%_i7=`V{5x!oQ*Z{ z=au7$PRr?o-_+vbSPKglT}Jn!2ldM)faz@O)2}z@l-HkSHHfs zBF*aWZOiZ|Flq|0wO&qI>RxqW%SWlH9336~J~)ibzg?7Ci&vUM=^?OXy{wc zUCgwE32oHYD$|uqYgC#Mvgr+v%>4Bx6LMeKcxlkm0j=a%kKZzH-_i=9-M`QDxRZ7e zTE<*LLZtqgO6%a7flk8HKg+znxmoMDKUmf$cv97PAv zB5C6#@5ee)T?hO7$45tXb#?b!Bjx|D6rtndM$6Q1@?%Ul+D(m`PgPmW$^Gs{yIu`d z#2or;^|(DxB|4uc4M-*Lyg%%jy~mDeUD>B1-^y&WE9gK*6W?%6`*ZXyXRxZCp1Ydc zwRc~;87St}M{>IQs02G0H?up|KLU?US(+b|C#`ya+gPmTBd;!M3%C-*>U;a@?DG~+)RCR zmYH1g@{FMfos0FSYF1ct6H?xegA&GQ{Qp@2+T(+sVnR)Anyi?Q7ra+lC_81UK;a# z#b(a&?~_U=MrPgLmoB@29`ROR9tykd@1WyvD{ktaqIpKpECiD@fs^q^!J#+xz|m zh$n1Um%q{h!Pw1H(+G>YcgG8!KR)~Ay``|LPi+QHY}>&sb$eSJeRu9omuiuDvxy&@ z!On1gvQtu;0HiDD%j`b4i_|MI@fTaYy@r!rT;e%6rx`d*x^*7ADXCXmD_i-Dd5yrv zCcRp~2z|&~XSya=`z|;*_MxE7X?%7nUaIcAtr^QJGQB|vogJpRMf+s2^9dmv(Pc6OFnw!w?UB_UzN3)UvH z{QamvCey;)T=8)21w^q`dgG zPu6hy{aypMr_2Zb4m0kPqu=P=h6e+R=>FKGcqyMgH5t`r7!iDw$SqgqW*l0#eU+BR z#>Up_g_*i&{m$0T?)djH;r(_%4NKH}4CTJ;C;T+3;}d3P?wxsety{bi_oC;nI1+h= zDce_J4kEd@aHAS=>pK`FY8)3;WjwjFWJt(H*rAmOF~quU&0ut1fcRRY+tU5g^lSMv z?41*>J*5dY2wGp<16101E<97V+XLo^h(PsV!kdi-zIESkG9g)og7#&xE1SeT27pj^ zk>}44xDnc~uP@|{8$IksfnU59@XJK6S{JU8x{~C>d>Le0lltZxzoY%d_Sa)SB+0+2 z+?RTJ5&IXIBY^azhg}LnwURVu%$e%3-^L*95zPbYv9BQ^T~)nz{(Wm)TF-+a7Oi30 z`;+N3uSYluz4tLq$-Qf1)*FeAu$x|LYH2-JE2Ka_bG-y-R0E#@N*kv)FJF3i2=A-O z${xkmIz(2P{X^_;#J%a!6h}%g;5LyXy1(|*sB1aA{+4LSxH#IZ44wnJy36p7Q4&&23o7s)BIa^ z9q1w(Ltfm=b-^7*|z``OGI`)DqHR>E@`QKasI73u?c$4bPo0+mY=2weG7PfE5_`4$Yo*OU~#Ib<^-alPLI}Q=ci#e_;LfcY3BYCH?#E z>wlEr#`!l);QGBW@_*9s>-YWW3jbyfT)+SP@IT^z@6tp{rw@QT@;aWO#G=glx-DOUswsD3wk*^EzffFifbl^X z21dbdHE85ic)=X(gV|an`dNbm1Bz;DVVDOeYhZXGU&Z6e1?C$K4QXj5Y08uDIO8!z z3`(w%m^vHlToqVH{zkh)spUuDuB;5N_wTb+zK*P8iMR@}kPAJddH{77P%vc^L8c>1 z1}7QyYkj@hTNmyMKyZ=m;I9Y-P9730tmXwPSB6xz@Ge85k9WzJ*E#}2LLT*kvo#ce zJ_^R_zsgZ0IVPv3YF(Ut6cr(N9AfGYd6ucP5JZI|@uG^+lMA>oK;3%yQ0YLLCG<3J zWJBZPh?c1y+Fj`#p(jU2pD05Qx0NaBZ^#m&`hLmImdsW9c#R!` z!E=j5$(Fv z{xff^ko-F0b6ZXt5`XB@m#tQ?HPi?8$E+Jq-SOo)xQ}P4k>2LQDdldas`d8YaO4RhPZ~R|aVJ$Z<$X+YL$p#~hElOOAto&kezv_iJaTK|zB$ zT*~aqpiJY;=?r-AYx|DMECly&!osM#>wi1_5rRBJg+8!YBrQ%tdRjbt=>Glt3&jeL z4cTAe&T)!H(t@woSpT?B%RT%aa971j+@76^q#=yQqhYGw*f0@!u2EqFP~2ToMef9( zL5kuI@+W9S`VGlsob%w_R#I2D_+un5l!5@Q{W&~S6;&W$P<@OemuYr%2NwAr5lQHr zZSd23aI)YklsVW71$4L+=gi`_=FYv&HNCC&1+uGO`|)oQco@>Uu-AY6YPy-Gpbn-g z&11AL*x8w6HJ!OCDtL`@2+V{w>wJ zvo2gj_hY-?c=D349uhvRkVS(n=T*qGPEu@&L^>f+#DWzN=AvZo-caryF&#rNy=exg zDLkfw!`e5l9I)(YpRDz#iQ1gyXbRdNjqjiD)}Cw`J5eIwx)-|t`> zGH>PJ;NaqNJ{&0Z{5lF0Eg*By-(Y3-nLAqss&i`mlY9b@w zjiR^nZ1ivxbBs_2x4&Ra6EicF+?R;7qjFox*YS6~)AI82($il%8j58qA)g+?unrK# zJ$UedD~ zo|_U2z5inyKVkO$)pU9CT$GH2fGK_eH*S;DdT!K)=Ti?K1^E-7=Zipwn~y}K@m9az zOK=GkqacnU_xUc;l9ca6OiaA_>yy2`eJDMSW&w@VBLq5%w46*(XsEqV#b)&4!Ra#> z1*YuNmBkM}VzgxQWS>$}3P((ciHN}XTO=3p0KsiGKCjBzM>Vi+%T>X}lN2BR&VgH= zBHXq9t)-*mcuZ~O9VC>kH-?|f^03KUmkvrxOKF%GXkq?F;u5_ia5^*m7USayU;O-u zNUN;02jLB|9u4u%CmClKXGvU{$Sxcz1ls+3*wi%bt*ty?_hy~XyCwefuidS2x1 z+urKM(@9C-H($!}R#Q{63yUfu6bghD!?y+MCEvkw%GmhV@Omk<4{efu|Ni|oIF_Ab z5L!4Z&9?}Wx3Rt*v{@A`+%g1o%fpBpGDpbQ+4D&LwT-x3;$a_zJIJ)h9q(NKj|gZL}zu zsk(RUs-dW(%n&V8AP0tH3r{WNLe1+B@(r~mb5&CK>}oQPWB7)qr@@&X9~$9!xJ>p( zf%DE&*7w2=r^d$o$sA;CA}Gb*=AX0U4sD z4s${m6bm*NBBCPd86`mplQkd=JU+p2Jw6^g75~0+>g(%wdiDa1V)zLs7<*Q`=y^9= z9sN=~7!!zH!hi4}q{Z&|KCmsn>m7#XwS~{#{|K8>V!OG#s4EF@LPienf-t zGhUWv%EzMO;n=>NyW7v62)(=!=YD3^s#i#Wo2;zhcE~4Dl}CZYE$nuree6Pm1LS|V z4*LRG^x1{zneo$fzc#p6E5urmtIS?Q z3T&WuS-F2q9*BbS`~5HWzf0et4^>^tZ!aa)iP3N+cmXqFXnVs#L!phM<`YAKc_*li zBK$Giqb7FTiNVRrtEQXLGAqlADfO<|_u>?9{t~y;n*%;;@x!-372gYJ7x~W|%;rLG1NPZsS6W`~L*Qg5 zj)nmZM+!2+@Y*S6%)j)Whl7*^V0U&JDQ|s>Ja0r_iN3Jkv#_o{|6D(q@A}7PKgg$rk`h5q8kPu?WSDTE zy;85cYrz>tEiEh66scKYZVsj#Wi@n8LAhmR%4rISJ5}l)bU3K_{AXt+>ACSQD10PV z(s|}06e$^;* zS7f36z60iar0u0@E2K;%V59`LytjD|V`KaqSFuFQxcTYm)@NOI$meEI>vcUAm!(O1 zrQ{pm9~vFhy*D&$^}A2Jy1csBGW6z6FS2FQBOKIgLjUlv%J)xn^z=3@4>!F#9ONF^ z>+i`lkTetc2NG1$cClsW8;X5tt*x4l{`ASyl+n8x6V;daiG}R*iV&=ntKR}=Iy)Lu z@lkZ$MYx5+SZfMVsoyAFTwPo*yI4 zVeikxwnY?=IYvANN=k6Hw{dkmG~$|gFo=i27r%ZB2e*koDmvK>7&9qHCkv8S_BP?8 zqpAW`448LdpxVUmT>wbluk|!9tQvJ|n?s56=i7-JgR+j#C)GUjcO|W|a&li{o?~dR zdNgczeSY*zb+vV|4xB+I?R~YGV+qJMcB?8U>_nbF4{p{ML!6x-!e}sqTGmhib~WlJ z6%STdSHrPDUD~%69m8BTvJ)q3WWCQmo&Jtc@L`))&+1U*) z>zpdF?szq|1vBnMo0!lV9x7T_2jD*+kz~PVk@*I{QoA{<6Cxr0Kv-D#`=8)CG!*iT zq4mUs#OoTCV5+-f!q`+$5bp_w?nI?}`Us|ylWX{ZqPVQAE&N$nFsCI)NIyKmHR6n4 zPPd_rJ@_0M&kR|)u^6;o(U(_OH4B<(q@+t2+25Hb_Dc^AF$KwpzV?>OrtH{-o0VD# zd(7}#OTpVLC>7M4oKXn=1ax%tQZ#3}D4DTcDOrk@)m1*C#y}9>Mb#C~mQudd)lD(i z^INc~Mnb}42;JBqs)!BcnAP=e_H4P{jP?z3|NL566i0ao zG`n=gC@MBKEMz`@OO0>iGc%cE#F!%2OM~nL!b58YvY-0rMcjLjBi~I+Kk?me0~=qc zsw&;4Dx(>;6YZ>dNDO2Qd)5!=|1G@HoEy57&AuZ>mF|iNw7a+2GO%_XsioE9-r&44 zmdYA1b`&5Lk)nEF&Fik2tXuR%Dl@tD-d%E^`^;D(5CF;#zWHM=+R*y-JdEeFYLES< zL8mX*Wb}h)D}(A`+R!>*W(a5Te4mS-t`-1*Z z2FhhJGAMBaFgHla_R0lIvDS}k{Mx~nW_V=e zg{weFXy{_*BayUEl@Gmi0;Fkc(bZ_$6lpm=0&3&vKR6iSb>StQ4x~r^(o3ksd=4A@ z{Mv<(W8~WR$=Q4`_YdZ+ctBVQ-DOEcMR_Hr+s6T8GZHf1=W+?8wJd5)Q^hkn?O%89{$OxT`fB7uA==`Mpgc-D)r&CmrFUi4O(|y?F-; zXID{2kL_8q{s{4O3hvX~xHx1h3vI&{!!F6T6$)kTucUR_zYeE!pFhAMp~69hTmVNV zQ2qBS<)z_Apl?8i`LC8yrceFyJ2xYc|Z?w1wOB;e6%}QNQe?m+ zL}KXl>{XHW+_5~m9uS+K;+JbOVcApzmdk5pWoc=Y%B)S&Ie*UP=asEKU-E_&%^&@B z`-?l5LhH)l;)$Hx!+Goa#LzMp81Tu%WPx@7VwA3x^zjpXU6C=lakn={H7ksr!I-~q zEBkc`uq|wUs33M~a2#Cr@hu-Pwmp&92~|+)!MDrGH%w}w8Zi|3C0?@4<3)3J97jms zh)j7>^%jZM#c;yQRaKjLu}$fC;Cda-FhpREx()XBPETw5d@`I)#Vz^F#zmc3P~c`J z3*Fyf`O2y)avw(l3zewnHKQ4O9a9yqD$iENhvHZFmNl}g=f{s4tF#B?!?1QEA`G|_6FasWB3h3s z&JXwuvnfdHB6!`g(`_A_W~B|k<1gdLS}VXQ87r|b*DX14v{f!45|+na8`WGCzIRc* z!R;bKnk={Wrz$oqs9W4v_iKRM184CEX$qZdhwbg0<^=_SG_)DKQbVOsG|>P2rd!G& z5E?ZQ5P^wax`5@QplR}z(gA7b0g=f7J(v-6=Di_##Yu#Md?P#@YdqZ3Ov--w*MN1^ zxZ=3+ZmNZ4^LH9Q9H0J2)sL|xCsLn5pOEL93>UL*$kk1t*T5**ttX|0D%Ol&$9 zK4<2;)hdyxgymKeyeEZz8ZART;Sz#tQbBZnSA5vDr4|AEl0OY~I*G#oL|dOZ`{Aij zoqsED{h+pYTjOSDLf3d4v8j}+iZ-*zp^~_5L_b4Bv3mY+)G##0HIv=-t@^`$w&yJ? zcL?HB`gnPHLmw0X2;#(qprD`tB>F%(wY^&L;cxq3cJ&a9OXMoufMM1TOvd>=ZwvuX z+=z_?qOCSgN=mo0gNXG~?0AD;D|b-7C1WA(TwcapwiO79B7opyz0@(Preg6oLlxSoGAwlu7Ab0yBXQcB~NwC_% za{?*?5-q<@Nl7}CjT;F9MRcCMxJ?d-J0HCE2T-f0o%w~?)0gy>Dc}hU?ypn9N~SuB zq4Ejd0Jr8)>#=lIcbTC zHtIaJ$xxk~wK2nZ|CZEc3jkS4@IXEwsd}J-*iRxZk8hLvop;*ws5-xsPC2Y zmA6OzRWs-cLdI;*3cqRl^kxR7h56`)Q(3si2Z;?1OizbkK0r;+Uw!)kWlnDpJs$&t zfs^%YN}IvT+S7de=w6XR(yhmb<~52ojwY$S?jACbS~d&HX84ipx%^+*}`_y&hw;2DWs`>keiW z)eTze2>o_hGIgjtf%X5Q&$b&-t!$G2~AbX1SFcGon0mE zyAB6di&n`k`%`uAhPooN_e?&;j8@_iGweYhlz+6S%r5Mg@^uJV?PCydU4ASgm8n&4l$-@^+;_YvZ&?^p7LNqIcYPd17IB~0YU%f{jtKir@!v< z-U{y0R;|k~{@g^L78Z1``uFvn_?In2baqNT)Bh}zD~8C-&Yn6(Cm|$+ap6Y$C@~2p z#FBzpG~Z=1f0S+YB=e8W%{6ZI5Z1|NHl&p_H1|eygK~*c^IN|OlMLWze*8N;Fcnob z8*=Tc=bckRrExvD3^Fj`d1HgPpHcHAFteZXL;tU8+V1W1=iMI@M_Mu2X?S=Z!yr33 zi$ZMqfaUm;a;>*ED8nYt9hQV|>x9?H$=V);Zu2wi)~Rc$<&9~{TBrk1;yejZ+pXKT z12LRy(-pLt9a{YO!RinQ^ns1+D3AiIEwA!y?6}=;bLFMw;80Ep%jCMTEaH@ix1Jb^Szfz;&sIY{KTsI&k32X>r* zW)YuHPch@bCQ)7CDbMYS;Q!+>z$PN90UtZaO1QWx9O-W_tpWMzM*_bC^8!;p>h+$E zk+7N>^oxqzP8v32P`g3*3sZywSqI z6Mrqc2qXKyxd4Bz&Q7rf6zZ=#tWq4`%Ww-+8DhiW<3JF>!SU(7!{5@3Me6>m`O_y% zS~Z2djwqQ-x$NV^!+QvTHw9(4Lvuzb=*TivHr`@aZJ0I^scCD_6KYQ#kXW{ zLME|M!se~pw|0nhtC_PBzlxOe=X2Zv>F?{&t%mG$(K4iAeG85q-4nlZ49sK;hSsgx z?xCXEEDv;}7O3*`@qHaJfuX@(-rjFVjSel?mbjSo?OUL=^{}6!otAxYXq#In-i*MM z&a0{E*DvD@kwG%%SYq5a<`(=ilXV7zZn1y=p0)PgKKkGc_}9XzxO^o!e)|~p(*Cia zF~3kWGC3SY*FDjh@BinK!%mxGKL6`@(Ps16(7!A%Nf#DGmV*Q0KI#MLCkaS(uGpBX z4fMz~ZQ`>|LA`pConkV#llMwMMNn|#h?XfK0K=5bL@@n(K~T3UE{s><)- zAc??{|P6B9UL9jRKEl*fjw90_M?O?`O=hPdGVstDSK>dZgsva~_L{8kt^CodKV4 zB-l7PQh+Q8tbxeBfVMBSJ9R@{d^%9c)Nz5*dm|3b_7&=*Q*b3?oT*F91DIX11s zf7}dDTsX(;PuIYwvHaop;2Hg#HWrl&gA?>qi+y5cZ;^)a7eW84*ox*4b5g7!vz#Vvmzy}@W{mzB~RPeoyx zr<vwfpUR=hxUY;=U&$LD*_ zdQ2Np`ar-NQN+(gwO<9@8^_LzrQ+hj^>!Nim5}+)&J0n81cAsj-a=zqv_O?i$R;CQ zR7U6>w|p#5l|Fks01exhTs%A(Ds)&P0;DXOkIRW^DJUXZ_C=3&nzL?@*+qct`#)@+ zIA3VFZB5i-_*cz(z^P3i{aE5NDyxQh*8NHVZvHPEkyl_|hF^QNX?=j)P{u$(@jdte z7!RIB(XOrV!M56u#ubtjfEP+_P_^pG#9k6rF4V z>NaIF7W4Vh2Xi0DIeQD`d@#ehyMO#B{ix4*-9i@|WTT1%TGTUreRan;b;i)ZPR`NT!r*72?)r@ zVnO>Gr15)vTwT(?ysYfKN?N}O*RxyCtfZuDl$2o84EAGy8PH4s+|;|FW_tbn9gM)h z4}2g_5&nJ?i+)9bm9>9xkR2TVRdR1%{B5E99ti-M=ld{FQRQT1VKmR);ocRAvyZzicQxT z`HvW>MUBIC(AmB-eMt4>W(f~BHy-)$_;`*|9;V3pyLCw1BV%-5yeN<>62FE(7dW80 ziT_DM(k|a`A%bB-bNqGXp0>vw9G3@GrSc`O9jYR!pnK*ZMO`mgpN^UdhyLJ>pPz5w z1MJrZ24;GwV(wTXyc4{kqvE#q_ULHnk9^c+N5Oke2g_Su(>0S^k@a0A$Xikf3MR)EHS=A$ToZz`#WuoE5t? zr!)@^56me!IXMkXS0Tq7znq$x(Xn4O)6*lf&O#<1_F>k}>FJSTp`){2X_J2xd4J($ z3bbk2*$)!E{bB3d*8^-(x7tqLau+gk$eHtd=kg0zZ7#sI4#amPcIglSva+%kFPtiz z%@(}`>k(-{QwR)1fm#C%QjUmc-pxR-cnQ^>s}g;*ZoT~rM!X`us?qTKfgLOPW1D@c zS9rp2ykbU2;d2uj8o(8+O8i<>gdrRdwM-?Mihs?zg9TEK92DeWivHmrXCi6)5O@%p z#!^zyu#x1qQ|KzyIv#C~M&8G@d2a*$v_E>2U`{%<XUAS*;gCRZ4=p@NzKvL@y1 zZa#kgE^A=ua6xBp_2>z$e|`?8X{~aEay}03 z7qj=JWe>2i1&xLHl6Nl74ngiuo7(!~5d%j$jG>r3Cf3o>L8P62b5t{#IVK)EHzQ>T z_XQOn%#C}?73n;3z`XNYAC|{hnSAE!ll;imoRN*7phHM=s}Mupm?HnfRZy?T88_or z)Jk&2R#ScXs&5Q>n{s!G-_)289cKku=cS?`5IiMx%5d{wF zgc+VtzNPVWl}Dpy!SAPAiq#j8JBUfbX!=r%cStESH83wcuc(2-c@H{mW@ctmQmjHy zM}t7VMnU798dceZwyv)AMXR*Pb5J}51qQC}GtRwy_;9dK=qib^3>Ur?)Usl84<9_} zS&>DvsHmz+1^I`CNLcrTJ}U{oebU7(SXTiTqoX5k$0K8*8OL-&UwNShxE5FMyWYNi z3#cS_ZgpqjK}+Qv!_~XOf{g85eKL-;zajW6s6YR2UPe*g|HjMs_aC4Q590^!mTeFd zL0~1(nOllD(RuBFl_|6G?2wHB4J^y4P3e|t6x8M*X(G?hJjL0#zGq)TI|K>rlHR7u zbjW2!g45tGqRP-POjp z?w~K-`L7Q8pI8BksfmePg~xZiwDKEqP?2_uFD}Lhs(NdF|2}>w9CNJ*5Kk4?tPJj_>+> zl8REV%jaPqEKLRu$@%Z8djMD<(tiB-diw1fm|rr4f6dEd(P;>20etB2@X*W4>r>k; zNlp9J5Lxd00b>j@-cs{T)!L;A09C`WoYajwfvqi0ftBL5yGsU1@+T=OL|WGBDunUH zhZ6NkMY^?q9KM)8q~ueDJ>0?9O{7zw74~hFq^r?D%@uxEmG>D+>wuJ5t25#;(a}E$ zwX7CoWmVU3O3STAB3IGXB}bt3^z`*j%cYVJdQ%70TuJ`@ZkIR7EBR9*I>bF zJ2`n=-4OZp=VKxOt6~Uhs#X>{dLXVruZ$-0oxc9(#fz$M6eGi!GR?(<2L!S#bLG0vB}}-bks}i|00E$)9<44S6X&_ z0Gr+gt=O0t%%OowjYFBA8M+lYOBxufxJibo1|2)rwC~vCLmvvWaZ-t1GZmv^nB`?< zTO+yQSgWg7mUDqKVPPz#`ts#WtG{5?DfUW2 zT-@T@YeBhSDSi%x9!3$VGzHynRyY0EdgH+taC8420eP!Y8SLJ>^=qV(Hh<8`Mo9j5 z$_4p4haj9`i{E{qXzVYnm$K)v$+0Zv%+~b&7u}-*{3C+fVBGa|-8+uT)OG;GuLl|e z&E~Wv0Jdn~?;nYG9!YpjO-<%AZ(4V`#C&2y$9_?F92mJ1gVH{;nyy06(9tmfut=d^ zW9al9Xg-17p429{1`&Sm_o)-&79idyhvy&FTb8WX&___)UnazY+ z4cK?5>ogcstQ3D5lt7vU^kmwd=aqO82q0(tBdWMdrBLQ`s6#o&dK3vc-*l>psRJb_OmQn<`F`>&X^5-Y7nj{W(7bZC!78j?i~WuI%b+CquDN%*8{e z%*<|cy=_^VGEi8%zc2y*1)qOk07d9V!6svzWe1JWW2sNkyssJ>%_fwl#7nN(9n{;q zRoo0G-V$1tH!kP?Hp0(Vp=bUe_%S?T6`-W2stFI39<)@yk|vCO-+D~2ct2Kj_SeW_sq7z(1^&$ zt=Sno%@IzF4U}ki2}ZoNkLScZYPuHOiC7{)D~air#1dIpcm>_PjEIL#xYzf>KW=Mh ztF8?PD5&@3WBZahkR5V?t)NPi(s~OwPh&D`zZzyjY3H>S-Jzqy>z*9tJ~#T-8yFB! z>@vHgRW^Z#{bM2gRheMp7uYp01W!R-c(GGipjAMD8A%1OzjZkU2iriYUv^Q|m_FO8Mo!ESPPb{}VW zhOLhRbo_I2RDoOh;FaV~wU;*|2R&-$;08Q71GgSQ( z)}c_%HL!$%jvgJWRa7Gi(A-wPb!Q7NUvlWJv-FT&lDRD}NRm07rumcFIwYF( zo@$ELyDxqer!I4@Z*Xx9ERHN!4hb^>anxp%W)H2H+{>c>VRlSQ%MyKGk*hO(I6;ev z+qE&&u@sTo-oC?UpNOG5<=rwga>pVvA&^ACE4O(m)D4wS+CbC$Vzn(mjKVCsV2n6p z5VrI^5p*8~Rn?f_qKJ5RlVvLUw<+%9v$o7@%+$sJk$r{F(e+*)=Af+*M&yqZpr6&sX8)5Od&XeA7hfm_L#w+Ze(=Vl?Y ztP+FyUJ~j1KYE8$EFLo9tgfx-)Ve<;w_QJ2NgR2?G03sFXpsKJ2Sk+iMc#_^G zXXr?0$^X^fwT45vwr$lamC9-n-h|dtSV@viB&M>YY_m^dP?7Ai-wdYBlC_8tNlaJ> z#UR-mh6u}cVluKBLpGDm%-9dcnD5g1-sAoA{r}z{Gr#7?9P>QS_1yP$pZ9g2*Lk)a zN5sTXcKlssmESV=R4IiZb06Ppc-wqFhYzC}pcoK;CK-pvqkwW_aYFS5FiH+15VLZ? z|7~q+Yj%Q0s2>$=vbwLFWSAKH^fKI8(Pz;!h$XDe!rg<{8*C+Zh29#y+3le-{N_~ys1pG~kq2mdpZ zmd-I%Y)=FgJDU~V`0UL(7<7=<&%)he>C5(0`;hbW;D+`(+t)cc4!YUJ#oocd^$47% z)0^a(($dnuNK4z*2!Ee8A8k1u@y890NyK-X?$o|%dSm+UsC{!=^@!(3C(W``Qz5JE z{<*c1xZlZ2<^Sejd{)p(%GxPrd>UJ$+;MrH47vC2{8wB@$NCfa>~g9!kP$D;tG;gO zucWMeYbyS@m5{VE)&@nqANVp^-`Pk;+Pg2ub8PgyONXoj@{PbN7-@c-_N}-a;$~6xJS3C`-Vil=+-O0BqzME zRs$^(wr=?!92|L-NpE z`76rSycL&D{m7SLUzFSWItoHSBX33{RmbGXT?!E64Z8j@RGL@-~LJ;pyT-DG?OL(iqaM_d( zEw;Y9>Ulc0;-XMPnnq&txp&s;SL}h=TjnwNB!@(q8&5D9+ALq?2x?ch_ak9fE~vG1 zZR+t~p!?GcuJEAMxcVs=DTrIwA+k^8aMRRG$2!>=<36tnozyNH&ORYm#@v@{;YE6P;N}Qn`jS7z>}Q zYY;_6JV{^Z?(etJ{zW-)Hrd?k4K^+8JW-)2Ws5{20vRKGfoz}s33>5& zNiiQb($X3#3HTM0y2aEUuB27~&h3kP{PObRbmZ_vX$9t{if^Tx&gI&q;=J3pXkDqc zgt(=iY$ZhmQrka+*+tt`io~mty)>_)j6ou44fhR?9$cVWSrd0+t@fQ-y7IRNxhZ)D|`7{iN^c7%*t}ICyWz)k}&4_jM_kNSDWUZ zeq^qRU|Kxq(}3!&kkh0vll;(EkXBK?Ew4h9Z&Uzi#0wY)=SXqwD>WpOM&g|{HP>}c}Y4q4?h zA;oRsp5z1;ge_5{+mp~rE*An>q5^w}FO|kVWN31hNYC7yUcklZ>6>fF&8c+mge+pM z^>@QC^U=kP`cFO$dQU_iR#E0Uj}(TQeYBe_8mdE&pCQ)ujng$cjUGq;G<2t|GgIz> zl(t!QcWKD-A0^TPdf6H+ePUn-azYt%!!O6YJ9_e2n!nxcB9 zF3FM(v*}DCpd* z5`G};7UfF@Ib<3~6^sXa9$sGyU+MpI;p2w%>_8dnGs5c?LfvJeH=mvaTSbllw7lz^ zlb-g%9GXC`$eN^`^k1ce3^kBl3RJQ`-cP7#{kfUbVZADiwc#|mIYv=Wsi+E`+8@3! z{#HoGtuJwHAwGyZptM$)P=`iOS&U`MNe-62UFbadc0Aa=+|PAQmf*o&S@;@woWtQT zXZuO(Q{QI(P^_kp;es)2%ZUR;f2e8SWPbqiIU-U)fc`%byY}U^rsahi_Kby7d*dCtaQzZ_~?#j#YQ? z;p$^hq(%NZ?=${)xyK-tf)89(X#+XWIu0G=lg47U+|X81bF@TB%G;hOuAYNIpV^dU zr~o^8`DiEWsg)X#ChQp7EO1GODErvj+H&jb-3H6i@3|L1v`r^042?!Z^XLbiNPVaP zr&*SOmdT%#xOvKQ^L}w{_UuPmI(oRbm$Qi6a5E=OC$gwWYino-Mo+X&fR6}LVqK0q zg$SNr(WJb;vlvk>U|m#RQD(Q%&t31Yj+EMLKKr60#gf$BAH4Lfc)_dErQH2g*ooy{ z&)Jb%!!;97yal<|)Kohzn^t$%)ziK_)YZtpb2&CPOE30$;lL3~&|`qij>h|1n+n4M zhWA<4_cb?%@x+P|2R}L7TrCA=4i%K_5Os5FQzVy=5U&D*;|#e7 z3;)oOmj~KletXqGluCity!_M43x^oVqyga?+zE*iO~y_u3SotwUy zFiM@vh$Ks%3te5BB5kED#+UgdM2PFhq0U3G#&C>ORP(;<^OcHSo*u&+ep5unn|ImE z`9+DIeV;A7hE4~ma>0B?Q1aYO;ih>qxsE%J@pZO??uCdw?}FyPt_Lp`2Kou>cEh>R zwEGM^D$JLN$G(qLRVjBauW0yAZcJe82g*6iJs)0!h;6L;5ldm+Telk1L0ZTl=~U|9 zonlP8J~COGJLKyH7G$u*z)aoRZKuFw9msXqR&3Vwd`*Ku$rlCR45e9PM-C8 zVSLt$vs6MJJSA7nB(THhXw*8=`1*g+C~BkFsEANrAQu(e)un|RR)}(1ek^Eg^ycLC z(_D~>`2zl`E-uze0|q0S)U_3gDE`gO3Djh%TEAlcUj7wt!T3cQ5j0c6=kk%9ywca} zP_Tw@)6!y75s7OkseepFJkQdeo2-B2x?-a`lR zr+ceQBwbSrOG~YiJMAXum6A+3<8*CKcZ*aaHUk&m4JS@`^tWTBGktZHzvbcC(Hi3C zG|#nHv@c%v3#5W3!od@#%>X$92aq6$I2q+M;gN74spF+mR(91I-2fHkC=@|yg>x)q z$b1CgN(`bO@%0C4bMq7M{Y1PE=NvP7piaPh-hG3fY7)g9(eRo31ZOhFg53Opf&Q7k z0@V03y~|Ji8Wpa;8}Zs~M55oLp}Nj*(BhyEFIp=6TgKL;_`Hmfw{Bgmx!oFH#~Dmw zF~XQ5A9iTz$SV`u9m*ng8uXjtpJQp zNzE}6dvLiy(F`ZZv51XPL2{wp;=FA7^I@?>X!HI0YX4h3Z>_`f&C^HZi52C2p_O#`AxJ^Y%F_+dN#&|OggY=jM%}hl2m&$m)IeH7DRUR~-N!TQqy(tYJSf>-bVy-{K zxv%cI(uve&hv0J9X=*v%&Z}3EtYQ2r=5l^CifOk2!2Y>$<6xCZJe|%$CZ9*gxvh%g`&*;!Ai$QW*4^*?J$Co40}x=Yzo#SO*u8! zcfJ)TJ07XVnQ`K`u* zD6XT)xDuzPrx}3e>2xS%z&I3#_P>PM?}5iKrB+sk!O76a%Y+CEs3^>uWj!HONXWoo zQKJ2JP>;yo`Ak1yIgv2Zf@VoE7Xkt@E#A8ryO}S(&%5m)#X8y#8#z$?0}?pw<(r$E zy>VsB)J;%*)-|=$T10Rf5r&`5>>xQ}+s+;ulT3vr$sa790PY>+fLbI^RL2#SuUU+i*xC`mNGVT*pOnG@UVr|MKI`cYfPKOFI zt%T{w9b@yV=U?*kB@~qTFWF%A+xmQqZj_m2&n2pd_}%qL$cgG=KPrm5w(UXjngf*p z{Q#6Ix4t*|ObHF2rG$*$U48o%#`w&kRwJJ+pa)&~jJn3MtT-ar$DQ5a2oq73H(rI$OS+Wfz_NoRF$vN z(kO&Mgy-hde@=I^;B#;Xs^IF3HL_M^;D#4i2J~1o^)^L`Q97|Wvp@pTaJ7r}hQiG+gq#UEz+sb7G6;vj$uvQRYHU@+|2_zs=@-5aZ=c`6wwL$Q|H=pqxGO*l_a2$6zg>h^$$N9W z2=F4nivTYIya@0j@ZT2!LYEfbNEQ$!(!#ZCH^a4#9Psse_yM||?ZfcZ9B-7jw-QU_ zf#BN0CM}GypD(v|BP1A_QkX1X!G{lxNPfU|Bw(|%CQEOXQB>&ER7vJ#h zxWBZM`|N+ezszxE?76RfUe00nrJZ8+ot>RSLL;F;*Xn=#eedZ9y_9?4B~`n<>w{DA zbxOgc{kHol*S76?2PUC2WvD}|uU%8fGs`|zuTZ<|U7?Hk$*4=ns!Mnd|C4_JW-ju- d0ZVovd-C{X=a$&URbAuX3NJZ4`X9~^h;0A> literal 0 HcmV?d00001 diff --git a/docs/tutorial.md b/docs/tutorial.md index 5fa6abf56..6d23a06cf 100644 --- a/docs/tutorial.md +++ b/docs/tutorial.md @@ -91,9 +91,18 @@ See the [states and events](states-and-events.md) guide for more information. ## Create your UI -Next, let's define a `Ui` for our `InboxScreen`. A `Ui` is a simple composable function that takes `State` and `Modifier` parameters. It's responsible for rendering the state. You should write this like a standard composable. In this case, we'll use a `LazyColumn` to render a list of emails. +=== "Inbox" +

```kotlin title="InboxScreen.kt" @Composable @@ -311,7 +320,19 @@ CircuitCompositionLocals(circuit) { ## Add a detail screen -Now that we have navigation set up, let's add a detail screen to our app to navigate to. First, let's define a `DetailScreen` and state. +=== "Detail" +
+ + ![Preview](../images/tutorial_detail.png){ align=left width=300 } + + Now that we have navigation set up, let's add a detail screen to our app to navigate to. + + This screen will show the content of a specific email from the inbox, and in a real app would + also show content like the chain history. + +
+ +First, let's define a `DetailScreen` and state. === "Android" ```kotlin title="DetailScreen.kt" diff --git a/mkdocs.yml b/mkdocs.yml index c22c5f2c3..efaa35b2e 100644 --- a/mkdocs.yml +++ b/mkdocs.yml @@ -60,6 +60,8 @@ markdown_extensions: alternate_style: true - tables - admonition + - attr_list + - md_in_html nav: - 'Introduction': index.md From ef3208561c93f6f45e3ee6a197ffcef8bc252abc Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Wed, 7 Feb 2024 19:43:04 -0800 Subject: [PATCH 019/123] Navigator - Fix Android BackHandler infinite loop (#1190) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit ## Fixes ### `rememberCircuitNavigator` - Using `rememberCircuitNavigator` with the `BackHandler` enabled and you programmatically `pop()` through a `backStack` with more then one record - This causes an infinite loop with the `onRootPop` of `rememberCircuitNavigator` calling the `BackHandler`, which calls `pop()` on the navigator, which calls `onRootPop` 🔁 - This occurs because the `backStack` changes and doesn't recompose to disable the `BackHandler` - Fix is to check the current `backStack.size` during the `onBack` ### `popUntil` - Coincidently `popUntil` was no longer stopping on the root pop and would get stuck in an infinite loop if you returned false on the root screen --- CHANGELOG.md | 1 + .../circuit/foundation/Navigator.android.kt | 12 ++++- .../foundation/NavigatorBackHandlerTest.kt | 48 +++++++++++++++++++ .../slack/circuit/foundation/NavigatorTest.kt | 20 ++++++++ .../com/slack/circuit/runtime/Navigator.kt | 2 +- 5 files changed, 81 insertions(+), 2 deletions(-) create mode 100644 circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt diff --git a/CHANGELOG.md b/CHANGELOG.md index 48e97b4a0..d0079fecb 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -82,6 +82,7 @@ On top of Circuit's existing docs, we've added a new tutorial to help you get st - Convert STAR sample to KMP. Starting with Android and Desktop. - Fix baseline profiles packaging. Due to a bug in the baseline profile plugin, we were not packaging the baseline profiles in the artifacts. This is now fixed. - Mark `BackStack.Record` as `@Stable`. +- Fix an infinite loop in the `onRootPop` of the Android `rememberCircuitNavigator`. - Update the default decoration to better match the android 34 transitions. - Update androidx.lifecycle to `2.7.0`. - Update to compose multiplatform to `1.5.12`. diff --git a/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt b/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt index bb1ec8bee..1a4137c5c 100644 --- a/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt +++ b/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt @@ -25,7 +25,10 @@ public fun rememberCircuitNavigator( ): Navigator { val navigator = rememberCircuitNavigator(backStack = backStack, onRootPop = backDispatcherRootPop()) - BackHandler(enabled = enableBackHandler && backStack.size > 1, onBack = navigator::pop) + BackHandler( + enabled = enableBackHandler && backStack.size > 1, + onBack = onBack(backStack, navigator), + ) return navigator } @@ -37,3 +40,10 @@ private fun backDispatcherRootPop(): () -> Unit { ?: error("No OnBackPressedDispatcherOwner found, unable to handle root navigation pops.") return onBackPressedDispatcher::onBackPressed } + +private fun onBack(backStack: BackStack, navigator: Navigator): () -> Unit = { + // Check the backStack on each call as the `BackHandler` enabled state only updates on composition + if (backStack.size > 1) { + navigator.pop() + } +} diff --git a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt new file mode 100644 index 000000000..b545a0e89 --- /dev/null +++ b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt @@ -0,0 +1,48 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.foundation + +import androidx.compose.ui.test.assertTextEquals +import androidx.compose.ui.test.junit4.createComposeRule +import androidx.compose.ui.test.onNodeWithTag +import androidx.compose.ui.test.performClick +import com.slack.circuit.backstack.rememberSaveableBackStack +import com.slack.circuit.internal.test.TestContentTags.TAG_GO_NEXT +import com.slack.circuit.internal.test.TestContentTags.TAG_LABEL +import com.slack.circuit.internal.test.TestCountPresenter +import com.slack.circuit.internal.test.TestScreen +import com.slack.circuit.internal.test.createTestCircuit +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.popUntil +import org.junit.Rule +import org.junit.Test +import org.junit.runner.RunWith + +@RunWith(ComposeUiTestRunner::class) +class NavigatorBackHandlerTest { + + @get:Rule val composeTestRule = createComposeRule() + + @Test + fun androidNavigatorRootPopBackHandler() { + val circuit = createTestCircuit(rememberType = TestCountPresenter.RememberType.Standard) + lateinit var navigator: Navigator + composeTestRule.setContent { + CircuitCompositionLocals(circuit) { + val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + navigator = rememberCircuitNavigator(backStack = backStack) + NavigableCircuitContent(navigator = navigator, backStack = backStack) + } + } + composeTestRule.run { + // Navigate to Screen B + onNodeWithTag(TAG_GO_NEXT).performClick() + onNodeWithTag(TAG_LABEL).assertTextEquals("B") + // Navigate to Screen C + onNodeWithTag(TAG_GO_NEXT).performClick() + onNodeWithTag(TAG_LABEL).assertTextEquals("C") + // Pop through the onRootPop into the back handler + navigator.popUntil { false } + } + } +} diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt index 60faaebc9..aee0d7569 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt @@ -9,6 +9,7 @@ import com.slack.circuit.runtime.popUntil import com.slack.circuit.runtime.screen.Screen import kotlin.test.assertEquals import kotlin.test.assertFailsWith +import kotlin.test.assertTrue import kotlin.test.fail import org.junit.Test import org.junit.runner.RunWith @@ -84,6 +85,25 @@ class NavigatorTest { assertThat(backStack.topRecord?.screen).isEqualTo(TestScreen2) } + @Test + fun popUntilRoot() { + var onRootPopped = false + val backStack = SaveableBackStack() + backStack.push(TestScreen) + backStack.push(TestScreen2) + backStack.push(TestScreen3) + + val navigator = NavigatorImpl(backStack) { onRootPopped = true } + + assertThat(backStack).hasSize(3) + + navigator.popUntil { false } + + assertTrue(onRootPopped) + assertThat(backStack).hasSize(1) + assertThat(backStack.topRecord?.screen).isEqualTo(TestScreen) + } + @Test fun peek() { val backStack = SaveableBackStack() diff --git a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt index 02e9d3f9f..5e7b37760 100644 --- a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt +++ b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt @@ -119,5 +119,5 @@ public inline fun Navigator.resetRoot( /** Calls [Navigator.pop] until the given [predicate] is matched or it pops the root. */ public fun Navigator.popUntil(predicate: (Screen) -> Boolean) { - while (peek()?.let(predicate) == false) pop() + while (peek()?.let(predicate) == false) pop() ?: break // Break on root pop } From f4c09e307db8a424c7a1415c571c7f45555799c5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 20:44:32 -0800 Subject: [PATCH 020/123] Update compose.material to v1.6.1 (#1143) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.material:material](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | | [androidx.compose.material:material-icons-core](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.5.4` -> `1.6.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- .../kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt | 8 ++++---- .../com/slack/circuit/tutorial/impl/DetailScreen.kt | 4 ++-- 3 files changed, 7 insertions(+), 7 deletions(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index a6d8734de..2472ae316 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -17,7 +17,7 @@ compose-animation = "1.6.1" compose-compiler-version = "1.5.9" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.1" -compose-material = "1.5.4" +compose-material = "1.6.1" compose-material3 = "1.1.2" compose-runtime = "1.6.1" compose-ui = "1.6.1" diff --git a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt index c5287d85b..db41ebe9e 100644 --- a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt +++ b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt @@ -12,8 +12,8 @@ import androidx.compose.foundation.layout.fillMaxWidth import androidx.compose.foundation.layout.padding import androidx.compose.foundation.shape.RoundedCornerShape import androidx.compose.material.icons.Icons -import androidx.compose.material.icons.filled.ArrowBack -import androidx.compose.material.icons.filled.ArrowForward +import androidx.compose.material.icons.automirrored.filled.ArrowBack +import androidx.compose.material.icons.automirrored.filled.ArrowForward import androidx.compose.material3.CenterAlignedTopAppBar import androidx.compose.material3.Icon import androidx.compose.material3.IconButton @@ -245,8 +245,8 @@ internal fun OrderTacosUi(state: OrderTacosScreen.State, modifier: Modifier = Mo } internal enum class Direction(val icon: ImageVector, @StringRes val descriptionResId: Int) { - LEFT(Icons.Filled.ArrowBack, R.string.top_bar_back), - RIGHT(Icons.Filled.ArrowForward, R.string.top_bar_forward) + LEFT(Icons.AutoMirrored.Filled.ArrowBack, R.string.top_bar_back), + RIGHT(Icons.AutoMirrored.Filled.ArrowForward, R.string.top_bar_forward) } @Composable diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt index fb760f802..16432fb15 100644 --- a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt @@ -6,7 +6,7 @@ import androidx.compose.foundation.layout.Arrangement.spacedBy import androidx.compose.foundation.layout.Column import androidx.compose.foundation.layout.padding import androidx.compose.material.icons.Icons -import androidx.compose.material.icons.filled.ArrowBack +import androidx.compose.material.icons.automirrored.filled.ArrowBack import androidx.compose.material3.Icon import androidx.compose.material3.IconButton import androidx.compose.material3.Scaffold @@ -77,7 +77,7 @@ fun EmailDetail(state: DetailScreen.State, modifier: Modifier = Modifier) { title = { Text(subject) }, navigationIcon = { IconButton(onClick = { state.eventSink(DetailScreen.Event.BackClicked) }) { - Icon(Icons.Default.ArrowBack, contentDescription = "Back") + Icon(Icons.AutoMirrored.Default.ArrowBack, contentDescription = "Back") } }, ) From 72350bf9334b243d11450fb179c3250c35a19469 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 21:40:26 -0800 Subject: [PATCH 021/123] Update accompanist to v0.34.0 (#1142) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.google.accompanist:accompanist-systemuicontroller](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | | [com.google.accompanist:accompanist-swiperefresh](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | | [com.google.accompanist:accompanist-placeholder](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | | [com.google.accompanist:accompanist-permissions](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | | [com.google.accompanist:accompanist-pager-indicators](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | | [com.google.accompanist:accompanist-pager](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | | [com.google.accompanist:accompanist-flowlayout](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | | [com.google.accompanist:accompanist-appcompat-theme](https://togithub.com/google/accompanist) | dependencies | minor | `0.32.0` -> `0.34.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
google/accompanist (com.google.accompanist:accompanist-systemuicontroller) ### [`v0.34.0`](https://togithub.com/google/accompanist/releases/tag/v0.34.0): 🌈 ##### What’s Changed - Upgrade to Compose 1.6 stable ([#​1742](https://togithub.com/google/accompanist/issues/1742)) [@​bentrengrove](https://togithub.com/bentrengrove) - \[ThemeAdapter-Material3] Fix warning in docs ([#​1735](https://togithub.com/google/accompanist/issues/1735)) [@​osipxd](https://togithub.com/osipxd) - \[Navigation Material] Ensure Navigation Material properly handles back for nested nav ([#​1736](https://togithub.com/google/accompanist/issues/1736)) [@​jbw0033](https://togithub.com/jbw0033) - \[FlowLayout Documentation] Update flowlayout.md ([#​1730](https://togithub.com/google/accompanist/issues/1730)) [@​Monkey-Matt](https://togithub.com/Monkey-Matt) - \[Documentation] Fix warning box/text in docs ([#​1731](https://togithub.com/google/accompanist/issues/1731)) [@​Monkey-Matt](https://togithub.com/Monkey-Matt) - \[Placeholder documentation] Show deprecated message within the warning box ([#​1724](https://togithub.com/google/accompanist/issues/1724)) [@​Monkey-Matt](https://togithub.com/Monkey-Matt) - Update issue templates with library changes ([#​1722](https://togithub.com/google/accompanist/issues/1722)) [@​alexvanyo](https://togithub.com/alexvanyo) - Update pager.md ([#​1719](https://togithub.com/google/accompanist/issues/1719)) [@​riggaroo](https://togithub.com/riggaroo) - \[Permissions-Lint] Migrate gradle file to Kotlin DSL ([#​1631](https://togithub.com/google/accompanist/issues/1631)) [@​oas004](https://togithub.com/oas004)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- build.gradle.kts | 1 + .../overlays/ConditionalSystemUiColors.kt | 20 +- .../overlays/SystemBarColorController.kt | 231 ++++++++++++++ gradle/libs.versions.toml | 2 +- .../sample/counter/android/CounterActivity.kt | 5 +- samples/interop/src/main/AndroidManifest.xml | 2 +- .../circuit/sample/interop/MainActivity.kt | 8 +- .../star/imageviewer/ImageViewerScreen.kt | 2 +- .../ui/ConditionalSystemUiColors.android.kt | 2 - .../star/ui/SystemBarColorController.kt | 283 ++++++++++++++++++ .../com/slack/circuit/tacos/MainActivity.kt | 9 +- .../slack/circuit/tacos/OrderTacosCircuit.kt | 21 +- .../circuit/tacos/step/FillingsOrderStep.kt | 4 +- .../circuit/tacos/step/ToppingsOrderStep.kt | 2 +- .../slack/circuit/tutorial/MainActivity.kt | 5 + 15 files changed, 558 insertions(+), 39 deletions(-) create mode 100644 circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/SystemBarColorController.kt create mode 100644 samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/SystemBarColorController.kt diff --git a/build.gradle.kts b/build.gradle.kts index a6ef925ec..50a87c050 100644 --- a/build.gradle.kts +++ b/build.gradle.kts @@ -100,6 +100,7 @@ allprojects { "**/FilterList.kt", "**/Remove.kt", "**/Pets.kt", + "**/SystemUiController.kt", ) } } diff --git a/circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/ConditionalSystemUiColors.kt b/circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/ConditionalSystemUiColors.kt index 48b2a9b7a..ef6b4befc 100644 --- a/circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/ConditionalSystemUiColors.kt +++ b/circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/ConditionalSystemUiColors.kt @@ -6,15 +6,13 @@ import androidx.compose.runtime.Composable import androidx.compose.runtime.getValue import androidx.compose.runtime.mutableStateOf import androidx.compose.runtime.setValue -import com.google.accompanist.systemuicontroller.SystemUiController -import com.google.accompanist.systemuicontroller.rememberSystemUiController /** * A [FullScreenOverlay.Callbacks] that remembers the current system UI colors and restores them * when finished. */ internal class ConditionalSystemUiColors( - private val systemUiController: SystemUiController, + private val systemBarColorController: SystemBarColorController, initialStatusBarDarkContent: Boolean, initialNavBarDarkContent: Boolean, ) : FullScreenOverlay.Callbacks { @@ -22,24 +20,24 @@ internal class ConditionalSystemUiColors( private var storedNavBarDarkContent by mutableStateOf(initialNavBarDarkContent) override fun onShow() { - storedStatusBarDarkContent = systemUiController.statusBarDarkContentEnabled - storedNavBarDarkContent = systemUiController.navigationBarDarkContentEnabled + storedStatusBarDarkContent = systemBarColorController.statusBarDarkContentEnabled + storedNavBarDarkContent = systemBarColorController.navigationBarDarkContentEnabled } override fun onFinish() { - systemUiController.statusBarDarkContentEnabled = storedStatusBarDarkContent - systemUiController.navigationBarDarkContentEnabled = storedNavBarDarkContent + systemBarColorController.statusBarDarkContentEnabled = storedStatusBarDarkContent + systemBarColorController.navigationBarDarkContentEnabled = storedNavBarDarkContent } } // TODO if dark mode changes during this, it will restore the wrong colors. What do we do? @Composable internal fun rememberConditionalSystemUiColors( - systemUiController: SystemUiController = rememberSystemUiController() + systemBarColorController: SystemBarColorController = rememberSystemBarColorController() ): ConditionalSystemUiColors { return ConditionalSystemUiColors( - systemUiController, - systemUiController.statusBarDarkContentEnabled, - systemUiController.navigationBarDarkContentEnabled, + systemBarColorController, + systemBarColorController.statusBarDarkContentEnabled, + systemBarColorController.navigationBarDarkContentEnabled, ) } diff --git a/circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/SystemBarColorController.kt b/circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/SystemBarColorController.kt new file mode 100644 index 000000000..a126ff5b8 --- /dev/null +++ b/circuitx/overlays/src/androidMain/kotlin/com/slack/circuitx/overlays/SystemBarColorController.kt @@ -0,0 +1,231 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuitx.overlays + +import android.app.Activity +import android.content.Context +import android.content.ContextWrapper +import android.os.Build +import android.view.View +import android.view.Window +import androidx.compose.runtime.Composable +import androidx.compose.runtime.Stable +import androidx.compose.runtime.remember +import androidx.compose.ui.graphics.Color +import androidx.compose.ui.graphics.compositeOver +import androidx.compose.ui.graphics.luminance +import androidx.compose.ui.graphics.toArgb +import androidx.compose.ui.platform.LocalView +import androidx.compose.ui.window.DialogWindowProvider +import androidx.core.view.WindowCompat + +/* + * This file is a slimmed down implementation of the original deprecated Accompanist + * SystemUiController focused just on coloring system bars. + */ + +private const val MIN_DARK_ICONS_LUMINANCE = 0.5f + +/** + * A class which provides easy-to-use utilities for coloring the System UI bar colors within Jetpack + * Compose. + */ +@Stable +internal interface SystemBarColorController { + + /** + * Set the status bar color. + * + * @param color The **desired** [Color] to set. This may require modification if running on an API + * level that only supports white status bar icons. + * @param darkIcons Whether dark status bar icons would be preferable. + * @param transformColorForLightContent A lambda which will be invoked to transform [color] if + * dark icons were requested but are not available. Defaults to applying a black scrim. + * @see statusBarDarkContentEnabled + */ + fun setStatusBarColor( + color: Color, + darkIcons: Boolean = color.luminance() > MIN_DARK_ICONS_LUMINANCE, + transformColorForLightContent: (Color) -> Color = BlackScrimmed, + ) + + /** + * Set the navigation bar color. + * + * @param color The **desired** [Color] to set. This may require modification if running on an API + * level that only supports white navigation bar icons. Additionally this will be ignored and + * [Color.Transparent] will be used on API 29+ where gesture navigation is preferred or the + * system UI automatically applies background protection in other navigation modes. + * @param darkIcons Whether dark navigation bar icons would be preferable. + * @param navigationBarContrastEnforced Whether the system should ensure that the navigation bar + * has enough contrast when a fully transparent background is requested. Only supported on API + * 29+. + * @param transformColorForLightContent A lambda which will be invoked to transform [color] if + * dark icons were requested but are not available. Defaults to applying a black scrim. + * @see navigationBarDarkContentEnabled + * @see navigationBarContrastEnforced + */ + fun setNavigationBarColor( + color: Color, + darkIcons: Boolean = color.luminance() > MIN_DARK_ICONS_LUMINANCE, + navigationBarContrastEnforced: Boolean = true, + transformColorForLightContent: (Color) -> Color = BlackScrimmed, + ) + + /** + * Set the status and navigation bars to [color]. + * + * @see setStatusBarColor + * @see setNavigationBarColor + */ + fun setSystemBarsColor( + color: Color, + darkIcons: Boolean = color.luminance() > MIN_DARK_ICONS_LUMINANCE, + isNavigationBarContrastEnforced: Boolean = true, + transformColorForLightContent: (Color) -> Color = BlackScrimmed, + ) { + setStatusBarColor(color, darkIcons, transformColorForLightContent) + setNavigationBarColor( + color, + darkIcons, + isNavigationBarContrastEnforced, + transformColorForLightContent, + ) + } + + /** Property which holds whether the status bar icons + content are 'dark' or not. */ + var statusBarDarkContentEnabled: Boolean + + /** Property which holds whether the navigation bar icons + content are 'dark' or not. */ + var navigationBarDarkContentEnabled: Boolean + + /** Property which holds whether the status & navigation bar icons + content are 'dark' or not. */ + var systemBarsDarkContentEnabled: Boolean + get() = statusBarDarkContentEnabled && navigationBarDarkContentEnabled + set(value) { + statusBarDarkContentEnabled = value + navigationBarDarkContentEnabled = value + } + + /** + * Property which holds whether the system is ensuring that the navigation bar has enough contrast + * when a fully transparent background is requested. Only has an affect when running on Android + * API 29+ devices. + */ + var isNavigationBarContrastEnforced: Boolean +} + +/** + * Remembers a [SystemBarColorController] for the given [window]. + * + * If no [window] is provided, an attempt to find the correct [Window] is made. + * + * First, if the [LocalView]'s parent is a [DialogWindowProvider], then that dialog's [Window] will + * be used. + * + * Second, we attempt to find [Window] for the [Activity] containing the [LocalView]. + * + * If none of these are found (such as may happen in a preview), then the functionality of the + * returned [SystemBarColorController] will be degraded, but won't throw an exception. + */ +@Composable +internal fun rememberSystemBarColorController( + window: Window? = findWindow() +): SystemBarColorController { + val view = LocalView.current + return remember(view, window) { AndroidSystemBarColorController(view, window) } +} + +@Composable +private fun findWindow(): Window? = + (LocalView.current.parent as? DialogWindowProvider)?.window + ?: LocalView.current.context.findWindow() + +private tailrec fun Context.findWindow(): Window? = + when (this) { + is Activity -> window + is ContextWrapper -> baseContext.findWindow() + else -> null + } + +/** + * A helper class for setting the navigation and status bar colors for a [View], gracefully + * degrading behavior based upon API level. + * + * Typically you would use [rememberSystemBarColorController] to remember an instance of this. + */ +internal class AndroidSystemBarColorController( + private val view: View, + private val window: Window?, +) : SystemBarColorController { + private val windowInsetsController = window?.let { WindowCompat.getInsetsController(it, view) } + + override fun setStatusBarColor( + color: Color, + darkIcons: Boolean, + transformColorForLightContent: (Color) -> Color, + ) { + statusBarDarkContentEnabled = darkIcons + + window?.statusBarColor = + when { + darkIcons && windowInsetsController?.isAppearanceLightStatusBars != true -> { + // If we're set to use dark icons, but our windowInsetsController call didn't + // succeed (usually due to API level), we instead transform the color to maintain + // contrast + transformColorForLightContent(color) + } + else -> color + }.toArgb() + } + + override fun setNavigationBarColor( + color: Color, + darkIcons: Boolean, + navigationBarContrastEnforced: Boolean, + transformColorForLightContent: (Color) -> Color, + ) { + navigationBarDarkContentEnabled = darkIcons + isNavigationBarContrastEnforced = navigationBarContrastEnforced + + window?.navigationBarColor = + when { + darkIcons && windowInsetsController?.isAppearanceLightNavigationBars != true -> { + // If we're set to use dark icons, but our windowInsetsController call didn't + // succeed (usually due to API level), we instead transform the color to maintain + // contrast + transformColorForLightContent(color) + } + else -> color + }.toArgb() + } + + override var statusBarDarkContentEnabled: Boolean + get() = windowInsetsController?.isAppearanceLightStatusBars == true + set(value) { + windowInsetsController?.isAppearanceLightStatusBars = value + } + + override var navigationBarDarkContentEnabled: Boolean + get() = windowInsetsController?.isAppearanceLightNavigationBars == true + set(value) { + windowInsetsController?.isAppearanceLightNavigationBars = value + } + + override var isNavigationBarContrastEnforced: Boolean + get() = + if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) { + window?.isNavigationBarContrastEnforced == true + } else { + false + } + set(value) { + if (Build.VERSION.SDK_INT >= Build.VERSION_CODES.Q) { + window?.isNavigationBarContrastEnforced = value + } + } +} + +@Suppress("MagicNumber") // This is a constant, detekt doesn't realize it +private val BlackScrim = Color(0f, 0f, 0f, 0.3f) // 30% opaque black +private val BlackScrimmed: (Color) -> Color = { original -> BlackScrim.compositeOver(original) } diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 2472ae316..5107a57f0 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -1,5 +1,5 @@ [versions] -accompanist = "0.32.0" +accompanist = "0.34.0" androidx-activity = "1.8.2" androidx-annotation = "1.7.1" androidx-appcompat = "1.6.1" diff --git a/samples/counter/apps/src/androidMain/kotlin/com/slack/circuit/sample/counter/android/CounterActivity.kt b/samples/counter/apps/src/androidMain/kotlin/com/slack/circuit/sample/counter/android/CounterActivity.kt index 29c2a1738..72bdc6e4f 100644 --- a/samples/counter/apps/src/androidMain/kotlin/com/slack/circuit/sample/counter/android/CounterActivity.kt +++ b/samples/counter/apps/src/androidMain/kotlin/com/slack/circuit/sample/counter/android/CounterActivity.kt @@ -4,13 +4,13 @@ package com.slack.circuit.sample.counter.android import android.os.Bundle import androidx.activity.compose.setContent +import androidx.activity.enableEdgeToEdge import androidx.appcompat.app.AppCompatActivity import androidx.compose.foundation.isSystemInDarkTheme import androidx.compose.material3.MaterialTheme import androidx.compose.material3.dynamicDarkColorScheme import androidx.compose.material3.dynamicLightColorScheme import androidx.compose.ui.platform.LocalContext -import com.google.accompanist.systemuicontroller.rememberSystemUiController import com.slack.circuit.foundation.Circuit import com.slack.circuit.foundation.CircuitCompositionLocals import com.slack.circuit.foundation.CircuitContent @@ -27,6 +27,7 @@ class CounterActivity : AppCompatActivity() { override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) + enableEdgeToEdge() setContent { val context = LocalContext.current val colorScheme = @@ -35,8 +36,6 @@ class CounterActivity : AppCompatActivity() { } else { dynamicLightColorScheme(context) } - val systemUiController = rememberSystemUiController() - systemUiController.setSystemBarsColor(color = colorScheme.primaryContainer) MaterialTheme(colorScheme = colorScheme) { CircuitCompositionLocals(circuit) { CircuitContent(AndroidCounterScreen) } } diff --git a/samples/interop/src/main/AndroidManifest.xml b/samples/interop/src/main/AndroidManifest.xml index 1aaa02161..b8656b9a0 100644 --- a/samples/interop/src/main/AndroidManifest.xml +++ b/samples/interop/src/main/AndroidManifest.xml @@ -17,7 +17,7 @@ + Scaffold(topBar = { CenterAlignedTopAppBar(title = { Text("Circuit Interop") }) }) { + paddingValues -> if (useColumn) { Column(Modifier.padding(paddingValues), Arrangement.spacedBy(16.dp)) { Box(Modifier.weight(1f)) { content(circuitScreen) } diff --git a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt index 8ec4bf6e4..7e97a9d6e 100644 --- a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt +++ b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt @@ -26,7 +26,6 @@ import androidx.compose.ui.platform.LocalContext import androidx.compose.ui.unit.dp import androidx.core.view.WindowInsetsControllerCompat import coil.request.ImageRequest.Builder -import com.google.accompanist.systemuicontroller.rememberSystemUiController import com.slack.circuit.backstack.NavDecoration import com.slack.circuit.codegen.annotations.CircuitInject import com.slack.circuit.foundation.NavigatorDefaults @@ -40,6 +39,7 @@ import com.slack.circuit.star.imageviewer.ImageViewerScreen.Event.Close import com.slack.circuit.star.imageviewer.ImageViewerScreen.Event.NoOp import com.slack.circuit.star.imageviewer.ImageViewerScreen.State import com.slack.circuit.star.ui.StarTheme +import com.slack.circuit.star.ui.rememberSystemUiController import dagger.assisted.Assisted import dagger.assisted.AssistedFactory import dagger.assisted.AssistedInject diff --git a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/ConditionalSystemUiColors.android.kt b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/ConditionalSystemUiColors.android.kt index bca7008de..08c8168a8 100644 --- a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/ConditionalSystemUiColors.android.kt +++ b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/ConditionalSystemUiColors.android.kt @@ -6,8 +6,6 @@ import androidx.compose.runtime.Composable import androidx.compose.runtime.getValue import androidx.compose.runtime.mutableStateOf import androidx.compose.runtime.setValue -import com.google.accompanist.systemuicontroller.SystemUiController -import com.google.accompanist.systemuicontroller.rememberSystemUiController private class ConditionalSystemUiColorsImpl( private val systemUiController: SystemUiController, diff --git a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/SystemBarColorController.kt b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/SystemBarColorController.kt new file mode 100644 index 000000000..d9b2fda10 --- /dev/null +++ b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/ui/SystemBarColorController.kt @@ -0,0 +1,283 @@ +// Copyright (C) 2022 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.star.ui + +import android.app.Activity +import android.content.Context +import android.content.ContextWrapper +import android.os.Build +import android.view.View +import android.view.Window +import androidx.compose.runtime.Composable +import androidx.compose.runtime.Stable +import androidx.compose.runtime.remember +import androidx.compose.ui.graphics.Color +import androidx.compose.ui.graphics.compositeOver +import androidx.compose.ui.graphics.luminance +import androidx.compose.ui.graphics.toArgb +import androidx.compose.ui.platform.LocalView +import androidx.compose.ui.window.DialogWindowProvider +import androidx.core.view.ViewCompat +import androidx.core.view.WindowCompat +import androidx.core.view.WindowInsetsCompat +import androidx.core.view.WindowInsetsControllerCompat + +/** + * A class which provides easy-to-use utilities for updating the System UI bar colors within Jetpack + * Compose. + * + * Copy of the now-deprecated Accompanist version. + */ +@Stable +interface SystemUiController { + + /** + * Control for the behavior of the system bars. This value should be one of the + * [WindowInsetsControllerCompat] behavior constants: + * [WindowInsetsControllerCompat.BEHAVIOR_SHOW_BARS_BY_TOUCH] (Deprecated), + * [WindowInsetsControllerCompat.BEHAVIOR_DEFAULT] and + * [WindowInsetsControllerCompat.BEHAVIOR_SHOW_TRANSIENT_BARS_BY_SWIPE]. + */ + var systemBarsBehavior: Int + + /** + * Property which holds the status bar visibility. If set to true, show the status bar, otherwise + * hide the status bar. + */ + var isStatusBarVisible: Boolean + + /** + * Property which holds the navigation bar visibility. If set to true, show the navigation bar, + * otherwise hide the navigation bar. + */ + var isNavigationBarVisible: Boolean + + /** + * Property which holds the status & navigation bar visibility. If set to true, show both bars, + * otherwise hide both bars. + */ + var isSystemBarsVisible: Boolean + get() = isNavigationBarVisible && isStatusBarVisible + set(value) { + isStatusBarVisible = value + isNavigationBarVisible = value + } + + /** + * Set the status bar color. + * + * @param color The **desired** [Color] to set. This may require modification if running on an API + * level that only supports white status bar icons. + * @param darkIcons Whether dark status bar icons would be preferable. + * @param transformColorForLightContent A lambda which will be invoked to transform [color] if + * dark icons were requested but are not available. Defaults to applying a black scrim. + * @see statusBarDarkContentEnabled + */ + fun setStatusBarColor( + color: Color, + darkIcons: Boolean = color.luminance() > 0.5f, + transformColorForLightContent: (Color) -> Color = BlackScrimmed, + ) + + /** + * Set the navigation bar color. + * + * @param color The **desired** [Color] to set. This may require modification if running on an API + * level that only supports white navigation bar icons. Additionally this will be ignored and + * [Color.Transparent] will be used on API 29+ where gesture navigation is preferred or the + * system UI automatically applies background protection in other navigation modes. + * @param darkIcons Whether dark navigation bar icons would be preferable. + * @param navigationBarContrastEnforced Whether the system should ensure that the navigation bar + * has enough contrast when a fully transparent background is requested. Only supported on API + * 29+. + * @param transformColorForLightContent A lambda which will be invoked to transform [color] if + * dark icons were requested but are not available. Defaults to applying a black scrim. + * @see navigationBarDarkContentEnabled + * @see navigationBarContrastEnforced + */ + fun setNavigationBarColor( + color: Color, + darkIcons: Boolean = color.luminance() > 0.5f, + navigationBarContrastEnforced: Boolean = true, + transformColorForLightContent: (Color) -> Color = BlackScrimmed, + ) + + /** + * Set the status and navigation bars to [color]. + * + * @see setStatusBarColor + * @see setNavigationBarColor + */ + fun setSystemBarsColor( + color: Color, + darkIcons: Boolean = color.luminance() > 0.5f, + isNavigationBarContrastEnforced: Boolean = true, + transformColorForLightContent: (Color) -> Color = BlackScrimmed, + ) { + setStatusBarColor(color, darkIcons, transformColorForLightContent) + setNavigationBarColor( + color, + darkIcons, + isNavigationBarContrastEnforced, + transformColorForLightContent, + ) + } + + /** Property which holds whether the status bar icons + content are 'dark' or not. */ + var statusBarDarkContentEnabled: Boolean + + /** Property which holds whether the navigation bar icons + content are 'dark' or not. */ + var navigationBarDarkContentEnabled: Boolean + + /** Property which holds whether the status & navigation bar icons + content are 'dark' or not. */ + var systemBarsDarkContentEnabled: Boolean + get() = statusBarDarkContentEnabled && navigationBarDarkContentEnabled + set(value) { + statusBarDarkContentEnabled = value + navigationBarDarkContentEnabled = value + } + + /** + * Property which holds whether the system is ensuring that the navigation bar has enough contrast + * when a fully transparent background is requested. Only has an affect when running on Android + * API 29+ devices. + */ + var isNavigationBarContrastEnforced: Boolean +} + +/** + * Remembers a [SystemUiController] for the given [window]. + * + * If no [window] is provided, an attempt to find the correct [Window] is made. + * + * First, if the [LocalView]'s parent is a [DialogWindowProvider], then that dialog's [Window] will + * be used. + * + * Second, we attempt to find [Window] for the [Activity] containing the [LocalView]. + * + * If none of these are found (such as may happen in a preview), then the functionality of the + * returned [SystemUiController] will be degraded, but won't throw an exception. + */ +@Composable +fun rememberSystemUiController(window: Window? = findWindow()): SystemUiController { + val view = LocalView.current + return remember(view, window) { AndroidSystemUiController(view, window) } +} + +@Composable +private fun findWindow(): Window? = + (LocalView.current.parent as? DialogWindowProvider)?.window + ?: LocalView.current.context.findWindow() + +private tailrec fun Context.findWindow(): Window? = + when (this) { + is Activity -> window + is ContextWrapper -> baseContext.findWindow() + else -> null + } + +/** + * A helper class for setting the navigation and status bar colors for a [View], gracefully + * degrading behavior based upon API level. + * + * Typically you would use [rememberSystemUiController] to remember an instance of this. + */ +internal class AndroidSystemUiController(private val view: View, private val window: Window?) : + SystemUiController { + private val windowInsetsController = window?.let { WindowCompat.getInsetsController(it, view) } + + override fun setStatusBarColor( + color: Color, + darkIcons: Boolean, + transformColorForLightContent: (Color) -> Color, + ) { + statusBarDarkContentEnabled = darkIcons + + window?.statusBarColor = + when { + darkIcons && windowInsetsController?.isAppearanceLightStatusBars != true -> { + // If we're set to use dark icons, but our windowInsetsController call didn't + // succeed (usually due to API level), we instead transform the color to maintain + // contrast + transformColorForLightContent(color) + } + else -> color + }.toArgb() + } + + override fun setNavigationBarColor( + color: Color, + darkIcons: Boolean, + navigationBarContrastEnforced: Boolean, + transformColorForLightContent: (Color) -> Color, + ) { + navigationBarDarkContentEnabled = darkIcons + isNavigationBarContrastEnforced = navigationBarContrastEnforced + + window?.navigationBarColor = + when { + darkIcons && windowInsetsController?.isAppearanceLightNavigationBars != true -> { + // If we're set to use dark icons, but our windowInsetsController call didn't + // succeed (usually due to API level), we instead transform the color to maintain + // contrast + transformColorForLightContent(color) + } + else -> color + }.toArgb() + } + + override var systemBarsBehavior: Int + get() = windowInsetsController?.systemBarsBehavior ?: 0 + set(value) { + windowInsetsController?.systemBarsBehavior = value + } + + override var isStatusBarVisible: Boolean + get() { + return ViewCompat.getRootWindowInsets(view) + ?.isVisible(WindowInsetsCompat.Type.statusBars()) == true + } + set(value) { + if (value) { + windowInsetsController?.show(WindowInsetsCompat.Type.statusBars()) + } else { + windowInsetsController?.hide(WindowInsetsCompat.Type.statusBars()) + } + } + + override var isNavigationBarVisible: Boolean + get() { + return ViewCompat.getRootWindowInsets(view) + ?.isVisible(WindowInsetsCompat.Type.navigationBars()) == true + } + set(value) { + if (value) { + windowInsetsController?.show(WindowInsetsCompat.Type.navigationBars()) + } else { + windowInsetsController?.hide(WindowInsetsCompat.Type.navigationBars()) + } + } + + override var statusBarDarkContentEnabled: Boolean + get() = windowInsetsController?.isAppearanceLightStatusBars == true + set(value) { + windowInsetsController?.isAppearanceLightStatusBars = value + } + + override var navigationBarDarkContentEnabled: Boolean + get() = windowInsetsController?.isAppearanceLightNavigationBars == true + set(value) { + windowInsetsController?.isAppearanceLightNavigationBars = value + } + + override var isNavigationBarContrastEnforced: Boolean + get() = Build.VERSION.SDK_INT >= 29 && window?.isNavigationBarContrastEnforced == true + set(value) { + if (Build.VERSION.SDK_INT >= 29) { + window?.isNavigationBarContrastEnforced = value + } + } +} + +private val BlackScrim = Color(0f, 0f, 0f, 0.3f) // 30% opaque black +private val BlackScrimmed: (Color) -> Color = { original -> BlackScrim.compositeOver(original) } diff --git a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/MainActivity.kt b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/MainActivity.kt index fe3654246..e718dc552 100644 --- a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/MainActivity.kt +++ b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/MainActivity.kt @@ -4,9 +4,8 @@ package com.slack.circuit.tacos import android.os.Bundle import androidx.activity.compose.setContent +import androidx.activity.enableEdgeToEdge import androidx.appcompat.app.AppCompatActivity -import androidx.compose.material3.MaterialTheme -import com.google.accompanist.systemuicontroller.rememberSystemUiController import com.slack.circuit.foundation.Circuit import com.slack.circuit.foundation.CircuitCompositionLocals import com.slack.circuit.foundation.CircuitContent @@ -23,6 +22,7 @@ import com.slack.circuit.tacos.ui.theme.TacoTheme class MainActivity : AppCompatActivity() { override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) + enableEdgeToEdge() val circuit: Circuit = Circuit.Builder() @@ -31,10 +31,7 @@ class MainActivity : AppCompatActivity() { .build() setContent { - TacoTheme { - rememberSystemUiController().setStatusBarColor(MaterialTheme.colorScheme.background) - CircuitCompositionLocals(circuit) { CircuitContent(OrderTacosScreen) } - } + TacoTheme { CircuitCompositionLocals(circuit) { CircuitContent(OrderTacosScreen) } } } } } diff --git a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt index db41ebe9e..c60b130c8 100644 --- a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt +++ b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/OrderTacosCircuit.kt @@ -7,7 +7,9 @@ import androidx.annotation.StringRes import androidx.compose.foundation.background import androidx.compose.foundation.clickable import androidx.compose.foundation.layout.Box +import androidx.compose.foundation.layout.Column import androidx.compose.foundation.layout.defaultMinSize +import androidx.compose.foundation.layout.fillMaxSize import androidx.compose.foundation.layout.fillMaxWidth import androidx.compose.foundation.layout.padding import androidx.compose.foundation.shape.RoundedCornerShape @@ -224,7 +226,16 @@ internal fun OrderTacosUi(state: OrderTacosScreen.State, modifier: Modifier = Mo }, ) }, - bottomBar = { + ) { padding -> + Column(Modifier.padding(padding).fillMaxSize()) { + val stepModifier = Modifier.weight(1f) + when (state.stepState) { + is FillingsOrderStep.State -> FillingsUi(state.stepState, modifier = stepModifier) + is ToppingsOrderStep.State -> ToppingsUi(state.stepState, modifier = stepModifier) + is ConfirmationOrderStep.OrderState -> + ConfirmationUi(state.stepState, modifier = stepModifier) + is SummaryOrderStep.SummaryState -> SummaryUi(state.stepState, modifier = stepModifier) + } OrderTotal( orderCost = state.orderCost, onConfirmationStep = state.stepState is ConfirmationOrderStep.OrderState, @@ -232,14 +243,6 @@ internal fun OrderTacosUi(state: OrderTacosScreen.State, modifier: Modifier = Mo ) { state.eventSink(OrderTacosScreen.Event.ProcessOrder) } - }, - ) { padding -> - val stepModifier = Modifier.padding(padding) - when (state.stepState) { - is FillingsOrderStep.State -> FillingsUi(state.stepState, stepModifier) - is ToppingsOrderStep.State -> ToppingsUi(state.stepState, stepModifier) - is ConfirmationOrderStep.OrderState -> ConfirmationUi(state.stepState, stepModifier) - is SummaryOrderStep.SummaryState -> SummaryUi(state.stepState, stepModifier) } } } diff --git a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/FillingsOrderStep.kt b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/FillingsOrderStep.kt index 196e62dea..386dc5c0a 100644 --- a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/FillingsOrderStep.kt +++ b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/FillingsOrderStep.kt @@ -116,10 +116,10 @@ private fun Filling( onSelect: () -> Unit, ) { Row( - modifier = modifier.clickable(onClick = onSelect), + modifier = modifier.clickable(onClick = onSelect).fillMaxWidth(), verticalAlignment = Alignment.CenterVertically, ) { - RadioButton(selected = isSelected, modifier = Modifier, onClick = onSelect) + RadioButton(selected = isSelected, onClick = onSelect) OrderIngredient(ingredient) } } diff --git a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/ToppingsOrderStep.kt b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/ToppingsOrderStep.kt index cb4f87ce0..8a28f2bb7 100644 --- a/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/ToppingsOrderStep.kt +++ b/samples/tacos/src/main/kotlin/com/slack/circuit/tacos/step/ToppingsOrderStep.kt @@ -151,7 +151,7 @@ private fun Topping( onSelect: (Boolean) -> Unit, ) { Row( - modifier = modifier.clickable { onSelect(!isSelected) }, + modifier = modifier.clickable { onSelect(!isSelected) }.fillMaxWidth(), verticalAlignment = Alignment.CenterVertically, ) { Checkbox(checked = isSelected, modifier = Modifier, onCheckedChange = onSelect) diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt index 0e65b7e8c..663c865c0 100644 --- a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/MainActivity.kt @@ -5,12 +5,17 @@ package com.slack.circuit.tutorial import android.os.Bundle import androidx.activity.enableEdgeToEdge import androidx.appcompat.app.AppCompatActivity +import androidx.core.view.WindowCompat import com.slack.circuit.tutorial.impl.tutorialOnCreate class MainActivity : AppCompatActivity() { override fun onCreate(savedInstanceState: Bundle?) { super.onCreate(savedInstanceState) + // Set edge to edge + dark status bar icons enableEdgeToEdge() + window + ?.let { WindowCompat.getInsetsController(it, window.decorView) } + ?.isAppearanceLightStatusBars = true // TODO replace with your own impl if following the tutorial! tutorialOnCreate() From 1a29cbe7f6ee436a21c3cfc1acbfe4afdc07429f Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 7 Feb 2024 21:40:35 -0800 Subject: [PATCH 022/123] Update dependency androidx.compose.material3:material3 to v1.2.0 (#1187) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.material3:material3](https://developer.android.com/jetpack/androidx/releases/compose-material3#1.2.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.1.2` -> `1.2.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- .../overlays/dependencies/androidReleaseRuntimeClasspath.txt | 3 +++ .../com/slack/circuitx/overlays/BasicAlertDialogOverlay.kt | 1 + gradle/libs.versions.toml | 2 +- ...tListSnapshotTest.petList_filtersSheet[darkMode=false].png | 4 ++-- ...etListSnapshotTest.petList_filtersSheet[darkMode=true].png | 4 ++-- ...st.petList_show_list_for_success_state[darkMode=false].png | 4 ++-- ...est.petList_show_list_for_success_state[darkMode=true].png | 4 ++-- ...List_show_message_for_no_animals_state[darkMode=false].png | 2 +- ...tList_show_message_for_no_animals_state[darkMode=true].png | 2 +- .../commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt | 1 + 10 files changed, 16 insertions(+), 11 deletions(-) diff --git a/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt index 0cd10f96a..dcc3654dc 100644 --- a/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt @@ -18,8 +18,11 @@ androidx.compose.foundation:foundation-android androidx.compose.foundation:foundation-layout-android androidx.compose.foundation:foundation-layout androidx.compose.foundation:foundation +androidx.compose.material3:material3-android androidx.compose.material3:material3 +androidx.compose.material:material-icons-core-android androidx.compose.material:material-icons-core +androidx.compose.material:material-ripple-android androidx.compose.material:material-ripple androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/BasicAlertDialogOverlay.kt b/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/BasicAlertDialogOverlay.kt index 035e29f4d..7bdab57e6 100644 --- a/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/BasicAlertDialogOverlay.kt +++ b/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/BasicAlertDialogOverlay.kt @@ -21,6 +21,7 @@ public class BasicAlertDialogOverlay( ) : Overlay { @Composable override fun Content(navigator: OverlayNavigator) { + @Suppress("DEPRECATION") // This is deprecated in Android, but not available in CM yet AlertDialog( content = { Surface( diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 5107a57f0..6c636db84 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -18,7 +18,7 @@ compose-compiler-version = "1.5.9" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.1" compose-material = "1.6.1" -compose-material3 = "1.1.2" +compose-material3 = "1.2.0" compose-runtime = "1.6.1" compose-ui = "1.6.1" compose-jb = "1.5.12" diff --git a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=false].png b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=false].png index 6c649741f..f96122c02 100644 --- a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=false].png +++ b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=false].png @@ -1,3 +1,3 @@ version https://git-lfs.github.com/spec/v1 -oid sha256:37e5d9af193b860babb6284a673baf652bcde95313adac3fda704a7db72bd87d -size 8314 +oid sha256:aeb06061cb76cd0e22cafafd23e1d724ae387be54a7d1a392e89b80a85e73715 +size 8343 diff --git a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=true].png b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=true].png index 77906dcf8..13a533b9e 100644 --- a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=true].png +++ b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_filtersSheet[darkMode=true].png @@ -1,3 +1,3 @@ version https://git-lfs.github.com/spec/v1 -oid sha256:4aae41be7faf7f70f27717037e45a15c19767eec0c6cd85cd2d317df9d0afda7 -size 8518 +oid sha256:6e6dab276c76652c9654026524a97c92f497933ad5f30d2e4386eefa4cfbdcbf +size 8548 diff --git a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=false].png b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=false].png index 6344d193a..4d67ebdd4 100644 --- a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=false].png +++ b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=false].png @@ -1,3 +1,3 @@ version https://git-lfs.github.com/spec/v1 -oid sha256:9098391415c7589b99d78882eb2eb600a212a97016c6747c42240743a46ef7a5 -size 7464 +oid sha256:f620c77e92c91ef148a2230e20cdf5902e5ce12da628a8a24e27a9af9cd8add6 +size 7478 diff --git a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=true].png b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=true].png index bb876a712..b371aa1dd 100644 --- a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=true].png +++ b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_list_for_success_state[darkMode=true].png @@ -1,3 +1,3 @@ version https://git-lfs.github.com/spec/v1 -oid sha256:a928c34e004bb0d4ed3d5e82af8cf8ca2f6def5e001f0641ca0369c8c3b9b462 -size 7832 +oid sha256:99124bdb37ad995531448834e602fa1df8eb4efc6c549f7ee9d017be1fc95107 +size 7841 diff --git a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=false].png b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=false].png index e9dbcc564..26dbc7062 100644 --- a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=false].png +++ b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=false].png @@ -1,3 +1,3 @@ version https://git-lfs.github.com/spec/v1 -oid sha256:fef554bc48314b946b84e402c4da1d21613f818eaa46a3e6e6e7a2ea1cb4dc8c +oid sha256:803f70964937dad67eb3335a4b2da04fdd416529544bba44907505817d5a2eba size 4977 diff --git a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=true].png b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=true].png index 73a10b23d..c62e619f9 100644 --- a/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=true].png +++ b/samples/star/src/test/snapshots/images/com.slack.circuit.star.petlist.PetListSnapshotTest.petList_show_message_for_no_animals_state[darkMode=true].png @@ -1,3 +1,3 @@ version https://git-lfs.github.com/spec/v1 -oid sha256:b8a18e6c0b8ee17af7e323aa177b384285026b797d108b87bb503d2ca123906b +oid sha256:8c57505cd39a0d42ae53b369e9965b4cfcb1b282ca61eca282fce35fa666d3ba size 4985 diff --git a/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt index 3925f8b4d..bfb124cdd 100644 --- a/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt +++ b/samples/tutorial/src/commonMain/kotlin/com/slack/circuit/tutorial/common/ui.kt @@ -102,6 +102,7 @@ fun EmailDetailContent(email: Email, modifier: Modifier = Modifier) { } } } + @Suppress("DEPRECATION") // Deprecated in Android but not yet available in CM Divider(modifier = Modifier.padding(vertical = 16.dp)) Text(text = email.body, style = MaterialTheme.typography.bodyMedium) } From 6ca51b8ac1f9225dda23780a06ce10856c79cd99 Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Thu, 8 Feb 2024 19:54:50 -0800 Subject: [PATCH 023/123] Interop Sample - Remember the present in `asCircuitPresenter()` (#1192) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit The `present()` in `FlowCounterPresenter` would get called on each composition, which would launch a new coroutine to collect from the event channel/flow. Could get a bunch of coroutines running at once 😅 --- .../com/slack/circuit/sample/interop/FlowCounterPresenter.kt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/samples/interop/src/main/kotlin/com/slack/circuit/sample/interop/FlowCounterPresenter.kt b/samples/interop/src/main/kotlin/com/slack/circuit/sample/interop/FlowCounterPresenter.kt index e501eb871..046efba58 100644 --- a/samples/interop/src/main/kotlin/com/slack/circuit/sample/interop/FlowCounterPresenter.kt +++ b/samples/interop/src/main/kotlin/com/slack/circuit/sample/interop/FlowCounterPresenter.kt @@ -51,7 +51,7 @@ fun FlowPresenter.asCircuitPresenter(): Presenter(Channel.BUFFERED) } val eventsFlow = remember { channel.receiveAsFlow() } val scope = rememberCoroutineScope() - val state by present(scope, eventsFlow).collectAsState() + val state by remember { present(scope, eventsFlow) }.collectAsState() CounterScreen.State(state, channel::trySend) } } From 8370bb3724d7ef2255e1148c5d9022e748bdc0e4 Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Fri, 9 Feb 2024 07:29:34 -0800 Subject: [PATCH 024/123] Fix default decoration backwards transition (#1191) ## Fix - The backwards exit transition was looking off from some combination of slide out and horizontal shrink. - This removes the horizontal shrink on the backwards exit transition and adjusts some of the timing to mirror the forward transition better ## Demo |Before|After| |-|-| ||| --- .../foundation/NavigableCircuitContent.kt | 51 +++++++++++++------ 1 file changed, 36 insertions(+), 15 deletions(-) diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt index 3de8f99a3..968d8c33a 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt @@ -4,6 +4,8 @@ package com.slack.circuit.foundation import androidx.compose.animation.AnimatedContent import androidx.compose.animation.ContentTransform +import androidx.compose.animation.EnterTransition +import androidx.compose.animation.ExitTransition import androidx.compose.animation.SizeTransform import androidx.compose.animation.core.CubicBezierEasing import androidx.compose.animation.core.LinearEasing @@ -32,6 +34,7 @@ import com.slack.circuit.backstack.NavDecoration import com.slack.circuit.backstack.ProvidedValues import com.slack.circuit.backstack.isEmpty import com.slack.circuit.backstack.providedValuesForBackStack +import com.slack.circuit.foundation.NavigatorDefaults.DefaultDecoration.backward import com.slack.circuit.retained.CanRetainChecker import com.slack.circuit.retained.LocalCanRetainChecker import com.slack.circuit.retained.LocalRetainedStateRegistry @@ -238,35 +241,52 @@ public object NavigatorDefaults { val enterTransition = fadeIn( animationSpec = - tween(durationMillis = SHORT_DURATION, delayMillis = 50, easing = LinearEasing) + tween( + durationMillis = SHORT_DURATION, + delayMillis = if (sign > 0) 50 else 0, + easing = LinearEasing, + ) ) + slideInHorizontally( initialOffsetX = { fullWidth -> (fullWidth / 10) * sign }, animationSpec = tween(durationMillis = NORMAL_DURATION, easing = FastOutExtraSlowInEasing), ) + - expandHorizontally( - animationSpec = - tween(durationMillis = NORMAL_DURATION, easing = FastOutExtraSlowInEasing), - initialWidth = { (it * .9f).toInt() }, - expandFrom = Alignment.Start, - ) + if (sign > 0) { + expandHorizontally( + animationSpec = + tween(durationMillis = NORMAL_DURATION, easing = FastOutExtraSlowInEasing), + initialWidth = { (it * .9f).toInt() }, + expandFrom = if (sign > 0) Alignment.Start else Alignment.End, + ) + } else { + EnterTransition.None + } val exitTransition = fadeOut( - animationSpec = tween(durationMillis = NORMAL_DURATION, easing = AccelerateEasing) + animationSpec = + tween( + durationMillis = if (sign > 0) NORMAL_DURATION else SHORT_DURATION, + delayMillis = if (sign > 0) 0 else 50, + easing = AccelerateEasing, + ) ) + slideOutHorizontally( targetOffsetX = { fullWidth -> (fullWidth / 10) * -sign }, animationSpec = tween(durationMillis = NORMAL_DURATION, easing = FastOutExtraSlowInEasing), ) + - shrinkHorizontally( - animationSpec = - tween(durationMillis = NORMAL_DURATION, easing = FastOutExtraSlowInEasing), - targetWidth = { (it * .9f).toInt() }, - shrinkTowards = Alignment.End, - ) + if (sign > 0) { + shrinkHorizontally( + animationSpec = + tween(durationMillis = NORMAL_DURATION, easing = FastOutExtraSlowInEasing), + targetWidth = { (it * .9f).toInt() }, + shrinkTowards = Alignment.End, + ) + } else { + ExitTransition.None + } return enterTransition togetherWith exitTransition } @@ -283,7 +303,8 @@ public object NavigatorDefaults { targetState = args, modifier = modifier, transitionSpec = { - // A transitionSpec should only use values passed into the `AnimatedContent`, to minimize + // A transitionSpec should only use values passed into the `AnimatedContent`, to + // minimize // the transitionSpec recomposing. The states are available as `targetState` and // `initialState` val diff = targetState.size - initialState.size From 1c3b5e294b69179f2cfba0eb632f23fac7753667 Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Fri, 9 Feb 2024 09:01:23 -0800 Subject: [PATCH 025/123] Prepare for release 0.19.0. --- CHANGELOG.md | 4 +- backstack/src/androidMain/baseline-prof.txt | 158 + .../src/androidMain/baseline-prof.txt | 244 + .../src/androidMain/baseline-prof.txt | 53 + .../src/androidMain/baseline-prof.txt | 2 + .../src/androidMain/baseline-prof.txt | 2 + .../src/androidMain/baseline-prof.txt | 2 + .../src/androidMain/baseline-prof.txt | 11 + gradle.properties | 2 +- .../baselineProfiles/baseline-prof.txt | 5827 ++++++++++------- .../baselineProfiles/startup-prof.txt | 5827 ++++++++++------- 11 files changed, 7226 insertions(+), 4906 deletions(-) create mode 100644 backstack/src/androidMain/baseline-prof.txt create mode 100644 circuit-foundation/src/androidMain/baseline-prof.txt create mode 100644 circuit-overlay/src/androidMain/baseline-prof.txt create mode 100644 circuit-runtime-presenter/src/androidMain/baseline-prof.txt create mode 100644 circuit-runtime-screen/src/androidMain/baseline-prof.txt create mode 100644 circuit-runtime-ui/src/androidMain/baseline-prof.txt create mode 100644 circuit-runtime/src/androidMain/baseline-prof.txt diff --git a/CHANGELOG.md b/CHANGELOG.md index d0079fecb..c8897292d 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -86,7 +86,9 @@ On top of Circuit's existing docs, we've added a new tutorial to help you get st - Update the default decoration to better match the android 34 transitions. - Update androidx.lifecycle to `2.7.0`. - Update to compose multiplatform to `1.5.12`. -- Update compose-compiler to `1.5.8`. +- Update to compose to `1.6.1`. +- Update to compose-bom to `2024.02.00`. +- Update compose-compiler to `1.5.9`. - Update AtomicFu to `0.23.2`. - Update Anvil to `2.4.9`. - Update KotlinPoet to `1.16.0`. diff --git a/backstack/src/androidMain/baseline-prof.txt b/backstack/src/androidMain/baseline-prof.txt new file mode 100644 index 000000000..a4f2a462a --- /dev/null +++ b/backstack/src/androidMain/baseline-prof.txt @@ -0,0 +1,158 @@ +Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/backstack/BackStack;->push$default(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;ILjava/lang/Object;)V +Lcom/slack/circuit/backstack/BackStack$Record; +Lcom/slack/circuit/backstack/BackStackKt; +HSPLcom/slack/circuit/backstack/BackStackKt;->isEmpty(Lcom/slack/circuit/backstack/BackStack;)Z +Lcom/slack/circuit/backstack/BackStackRecordLocalProvider; +Lcom/slack/circuit/backstack/BackStackRecordLocalProviderKt; +HPLcom/slack/circuit/backstack/BackStackRecordLocalProviderKt;->providedValuesForBackStack(Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableList;ZLandroidx/compose/runtime/Composer;II)Lkotlinx/collections/immutable/ImmutableMap; +Lcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel;->()V +PLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel;->onCleared()V +PLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel;->removeViewModelStoreOwnerForKey$backstack_release(Ljava/lang/String;)Landroidx/lifecycle/ViewModelStore; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel;->viewModelStoreForKey$backstack_release(Ljava/lang/String;)Landroidx/lifecycle/ViewModelStore; +Lcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel$Factory; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel$Factory;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel$Factory;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel$Factory;->create(Ljava/lang/Class;)Landroidx/lifecycle/ViewModel; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel$Factory;->create(Ljava/lang/Class;Landroidx/lifecycle/viewmodel/CreationExtras;)Landroidx/lifecycle/ViewModel; +Lcom/slack/circuit/backstack/BackStackRecordLocalProvider_androidKt; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProvider_androidKt;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalProvider_androidKt;->getDefaultBackStackRecordLocalProviders()Ljava/util/List; +Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->(Landroidx/compose/runtime/snapshots/SnapshotStateMap;)V +PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getLock$p(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)Ljava/lang/Object; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getValueProviders$p(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)Ljava/util/Map; +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->canBeSaved(Ljava/lang/Object;)Z +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->getParentRegistry()Landroidx/compose/runtime/saveable/SaveableStateRegistry; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->performSave()Ljava/util/Map; +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; +PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->saveForContentLeavingComposition()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->saveInto(Ljava/util/Map;)V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->setParentRegistry(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V +Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion;->getSaver()Landroidx/compose/runtime/saveable/Saver; +Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$1; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$1;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$1;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)Ljava/util/Map; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V +Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3; +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->unregister()V +Lcom/slack/circuit/backstack/CompositeProvidedValues; +HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->()V +HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->(Ljava/util/List;)V +HPLcom/slack/circuit/backstack/CompositeProvidedValues;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +Lcom/slack/circuit/backstack/NavDecoration; +Lcom/slack/circuit/backstack/NestedRememberObserver; +HSPLcom/slack/circuit/backstack/NestedRememberObserver;->(Lkotlin/jvm/functions/Function0;)V +HSPLcom/slack/circuit/backstack/NestedRememberObserver;->access$setRememberedForUi(Lcom/slack/circuit/backstack/NestedRememberObserver;Z)V +PLcom/slack/circuit/backstack/NestedRememberObserver;->onForgotten()V +HSPLcom/slack/circuit/backstack/NestedRememberObserver;->onRemembered()V +HSPLcom/slack/circuit/backstack/NestedRememberObserver;->recomputeState()V +HSPLcom/slack/circuit/backstack/NestedRememberObserver;->setRememberedForStack(Z)V +HSPLcom/slack/circuit/backstack/NestedRememberObserver;->setRememberedForUi(Z)V +Lcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver; +HSPLcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver;->(Lcom/slack/circuit/backstack/NestedRememberObserver;)V +PLcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver;->onForgotten()V +HSPLcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver;->onRemembered()V +Lcom/slack/circuit/backstack/ProvidedValues; +Lcom/slack/circuit/backstack/SaveableBackStack; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getStateStore$backstack_release()Ljava/util/Map; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/BackStack$Record; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/SaveableBackStack$Record; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->iterator()Ljava/util/Iterator; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V +Lcom/slack/circuit/backstack/SaveableBackStack$Companion; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->getSaver()Landroidx/compose/runtime/saveable/Saver; +Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V +HPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack;)Ljava/util/List; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2;->()V +Lcom/slack/circuit/backstack/SaveableBackStack$Record; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getResultKey$p(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/lang/String; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$readResult(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Lcom/slack/circuit/runtime/screen/PopResult; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->equals(Ljava/lang/Object;)Z +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getArgs()Ljava/util/Map; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getKey()Ljava/lang/String; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getScreen()Lcom/slack/circuit/runtime/screen/Screen; +HPLcom/slack/circuit/backstack/SaveableBackStack$Record;->hashCode()I +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->readResult()Lcom/slack/circuit/runtime/screen/PopResult; +Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->getSaver()Landroidx/compose/runtime/saveable/Saver; +Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/util/Map; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V +Lcom/slack/circuit/backstack/SaveableBackStackKt; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; +Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->(Lkotlin/jvm/functions/Function1;)V +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider; +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V +HPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->providedValuesFor(Lcom/slack/circuit/backstack/BackStack$Record;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/ProvidedValues; +Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$1$1; +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$1$1;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)V +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$1$1;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$1$1$provideValues$1$1; +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$1$1$provideValues$1$1;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)V +PLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$1$1$provideValues$1$1;->onForgotten()V +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$1$1$provideValues$1$1;->onRemembered()V +Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$childRegistry$1; +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$childRegistry$1;->()V +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$childRegistry$1;->()V +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$childRegistry$1;->invoke()Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry; +HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider$providedValuesFor$childRegistry$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider; +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider;->()V +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider;->()V +HPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider;->providedValuesFor(Lcom/slack/circuit/backstack/BackStack$Record;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/ProvidedValues; +Lcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$1$1; +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$1$1;->(Lkotlinx/collections/immutable/PersistentList;Lcom/slack/circuit/backstack/NestedRememberObserver;)V +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$1$1;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$1$1;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/PersistentList; +Lcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$1$list$1; +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$1$list$1;->(Landroidx/lifecycle/ViewModelStore;)V +Lcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$observer$1$1; +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$observer$1$1;->(Landroid/app/Activity;Lcom/slack/circuit/backstack/BackStackRecordLocalProviderViewModel;Lcom/slack/circuit/backstack/BackStack$Record;)V +PLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$observer$1$1;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValuesFor$observer$1$1;->invoke()V +Lcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt; +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt;->access$findActivity(Landroid/content/Context;)Landroid/app/Activity; +HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt;->findActivity(Landroid/content/Context;)Landroid/app/Activity; \ No newline at end of file diff --git a/circuit-foundation/src/androidMain/baseline-prof.txt b/circuit-foundation/src/androidMain/baseline-prof.txt new file mode 100644 index 000000000..0cd7ae5b2 --- /dev/null +++ b/circuit-foundation/src/androidMain/baseline-prof.txt @@ -0,0 +1,244 @@ +Lcom/slack/circuit/foundation/AnsweringNavigatorKt; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->access$rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$5(Landroidx/compose/runtime/MutableState;)Z +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/runtime/Navigator;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1;->(Ljava/lang/String;Landroidx/compose/runtime/State;Landroidx/compose/runtime/MutableState;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1;->(Landroidx/compose/runtime/State;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Landroidx/compose/runtime/MutableState; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/foundation/Circuit; +HSPLcom/slack/circuit/foundation/Circuit;->()V +HSPLcom/slack/circuit/foundation/Circuit;->(Lcom/slack/circuit/foundation/Circuit$Builder;)V +HSPLcom/slack/circuit/foundation/Circuit;->(Lcom/slack/circuit/foundation/Circuit$Builder;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/foundation/Circuit;->getEventListenerFactory$circuit_foundation_release()Lcom/slack/circuit/foundation/EventListener$Factory; +HSPLcom/slack/circuit/foundation/Circuit;->getOnUnavailableContent()Lkotlin/jvm/functions/Function4; +HPLcom/slack/circuit/foundation/Circuit;->nextPresenter(Lcom/slack/circuit/runtime/presenter/Presenter$Factory;Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HPLcom/slack/circuit/foundation/Circuit;->nextUi(Lcom/slack/circuit/runtime/ui/Ui$Factory;Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/foundation/Circuit;->presenter(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/foundation/Circuit;->ui(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +Lcom/slack/circuit/foundation/Circuit$Builder; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->()V +HSPLcom/slack/circuit/foundation/Circuit$Builder;->()V +HSPLcom/slack/circuit/foundation/Circuit$Builder;->addPresenterFactories(Ljava/lang/Iterable;)Lcom/slack/circuit/foundation/Circuit$Builder; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->addUiFactories(Ljava/lang/Iterable;)Lcom/slack/circuit/foundation/Circuit$Builder; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->build()Lcom/slack/circuit/foundation/Circuit; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->getDefaultNavDecoration()Lcom/slack/circuit/backstack/NavDecoration; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->getEventListenerFactory()Lcom/slack/circuit/foundation/EventListener$Factory; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->getOnUnavailableContent()Lkotlin/jvm/functions/Function4; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->getPresenterFactories()Ljava/util/List; +HSPLcom/slack/circuit/foundation/Circuit$Builder;->getUiFactories()Ljava/util/List; +Lcom/slack/circuit/foundation/CircuitCompositionLocalsKt; +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt;->()V +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt;->CircuitCompositionLocals(Lcom/slack/circuit/foundation/Circuit;Lcom/slack/circuit/retained/RetainedStateRegistry;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt;->getLocalCircuit()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt;->getLocalCircuitContext()Landroidx/compose/runtime/ProvidableCompositionLocal; +Lcom/slack/circuit/foundation/CircuitCompositionLocalsKt$CircuitCompositionLocals$1; +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$CircuitCompositionLocals$1;->(Lkotlin/jvm/functions/Function2;)V +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$CircuitCompositionLocals$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$CircuitCompositionLocals$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuit$1; +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuit$1;->()V +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuit$1;->()V +Lcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1; +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->()V +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->()V +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Lcom/slack/circuit/runtime/CircuitContext; +HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt; +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Landroidx/compose/runtime/Composer;I)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10; +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;II)V +PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Landroidx/compose/runtime/Composer;I)V +PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;)V +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4;->(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;II)V +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->(Lcom/slack/circuit/foundation/EventListener;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5$invoke$$inlined$onDispose$1; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5$invoke$$inlined$onDispose$1;->(Lcom/slack/circuit/foundation/EventListener;)V +PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5$invoke$$inlined$onDispose$1;->dispose()V +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$7; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$7;->(Lcom/slack/circuit/foundation/EventListener;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$7;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$7;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$7$invoke$$inlined$onDispose$1; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$7$invoke$$inlined$onDispose$1;->(Lcom/slack/circuit/foundation/EventListener;)V +PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$7$invoke$$inlined$onDispose$1;->dispose()V +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$8; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$8;->(Lcom/slack/circuit/foundation/EventListener;Lcom/slack/circuit/runtime/CircuitUiState;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$8;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$8;->invoke()V +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9;->(Lcom/slack/circuit/foundation/EventListener;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->(Lcom/slack/circuit/foundation/EventListener;)V +PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->dispose()V +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1;->(Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/runtime/screen/Screen;)V +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->(Ljava/lang/Object;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->invoke(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$ui$1$1; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$ui$1$1;->(Ljava/lang/Object;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$ui$1$1;->invoke(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$ui$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/CircuitContentKt$sam$com_slack_circuit_runtime_presenter_Presenter_Factory$0; +HSPLcom/slack/circuit/foundation/CircuitContentKt$sam$com_slack_circuit_runtime_presenter_Presenter_Factory$0;->(Lkotlin/jvm/functions/Function3;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$sam$com_slack_circuit_runtime_presenter_Presenter_Factory$0;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +Lcom/slack/circuit/foundation/CircuitContentKt$sam$com_slack_circuit_runtime_ui_Ui_Factory$0; +HSPLcom/slack/circuit/foundation/CircuitContentKt$sam$com_slack_circuit_runtime_ui_Ui_Factory$0;->(Lkotlin/jvm/functions/Function2;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$sam$com_slack_circuit_runtime_ui_Ui_Factory$0;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +Lcom/slack/circuit/foundation/CircuitKt; +HSPLcom/slack/circuit/foundation/CircuitKt;->()V +HSPLcom/slack/circuit/foundation/CircuitKt;->access$getUnavailableContent$p()Lkotlin/jvm/functions/Function4; +HSPLcom/slack/circuit/foundation/CircuitKt;->setCircuit(Lcom/slack/circuit/runtime/CircuitContext;Lcom/slack/circuit/foundation/Circuit;)V +Lcom/slack/circuit/foundation/ComposableSingletons$CircuitKt; +HSPLcom/slack/circuit/foundation/ComposableSingletons$CircuitKt;->()V +HSPLcom/slack/circuit/foundation/ComposableSingletons$CircuitKt;->()V +HSPLcom/slack/circuit/foundation/ComposableSingletons$CircuitKt;->getLambda-1$circuit_foundation_release()Lkotlin/jvm/functions/Function4; +Lcom/slack/circuit/foundation/ComposableSingletons$CircuitKt$lambda-1$1; +HSPLcom/slack/circuit/foundation/ComposableSingletons$CircuitKt$lambda-1$1;->()V +HSPLcom/slack/circuit/foundation/ComposableSingletons$CircuitKt$lambda-1$1;->()V +Lcom/slack/circuit/foundation/EventListener; +HSPLcom/slack/circuit/foundation/EventListener;->()V +PLcom/slack/circuit/foundation/EventListener;->dispose()V +HSPLcom/slack/circuit/foundation/EventListener;->onAfterCreatePresenter(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/CircuitContext;)V +HSPLcom/slack/circuit/foundation/EventListener;->onAfterCreateUi(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/runtime/CircuitContext;)V +HSPLcom/slack/circuit/foundation/EventListener;->onBeforeCreatePresenter(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)V +HSPLcom/slack/circuit/foundation/EventListener;->onBeforeCreateUi(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)V +PLcom/slack/circuit/foundation/EventListener;->onDisposeContent()V +PLcom/slack/circuit/foundation/EventListener;->onDisposePresent()V +HSPLcom/slack/circuit/foundation/EventListener;->onStartContent()V +HSPLcom/slack/circuit/foundation/EventListener;->onStartPresent()V +HSPLcom/slack/circuit/foundation/EventListener;->onState(Lcom/slack/circuit/runtime/CircuitUiState;)V +HSPLcom/slack/circuit/foundation/EventListener;->start()V +Lcom/slack/circuit/foundation/EventListener$Companion; +HSPLcom/slack/circuit/foundation/EventListener$Companion;->()V +HSPLcom/slack/circuit/foundation/EventListener$Companion;->()V +HSPLcom/slack/circuit/foundation/EventListener$Companion;->getNONE()Lcom/slack/circuit/foundation/EventListener; +Lcom/slack/circuit/foundation/EventListener$Companion$NONE$1; +HSPLcom/slack/circuit/foundation/EventListener$Companion$NONE$1;->()V +Lcom/slack/circuit/foundation/NavigableCircuitContentKt; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->()V +HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->NavigableCircuitContent(Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$1(Landroidx/compose/runtime/State;)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$3(Landroidx/compose/runtime/State;)Lkotlin/jvm/functions/Function4; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$getRegistryKey(Lcom/slack/circuit/backstack/BackStack$Record;)Ljava/lang/String; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$1(Landroidx/compose/runtime/State;)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$3(Landroidx/compose/runtime/State;)Lkotlin/jvm/functions/Function4; +HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getLocalBackStack()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getRegistryKey(Lcom/slack/circuit/backstack/BackStack$Record;)Ljava/lang/String; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->(Lcom/slack/circuit/backstack/NavDecoration;Lkotlinx/collections/immutable/ImmutableList;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lkotlinx/collections/immutable/ImmutableMap;)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1; +PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->$r8$lambda$OLYvGXvByHk9HzppmdzMrsHHJac(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->(Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;)V +PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke$lambda$1$lambda$0(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke(Lcom/slack/circuit/foundation/RecordContentProvider;Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;)V +PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->canRetain(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->(Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/foundation/RecordContentProvider;)V +HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$1;->(Lcom/slack/circuit/foundation/RecordContentProvider;Lcom/slack/circuit/backstack/BackStack$Record;)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$recordRetainedStateRegistry$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$recordRetainedStateRegistry$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$recordRetainedStateRegistry$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$recordRetainedStateRegistry$1;->invoke()Lcom/slack/circuit/retained/RetainedStateRegistry; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$recordRetainedStateRegistry$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$3; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$3;->(Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function4;II)V +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$outerRegistry$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$outerRegistry$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$outerRegistry$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$outerRegistry$1;->invoke()Lcom/slack/circuit/retained/RetainedStateRegistry; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$outerRegistry$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1;->(Ljava/util/Map;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1;->invoke(Lcom/slack/circuit/backstack/BackStack$Record;)Lcom/slack/circuit/foundation/RecordContentProvider; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1$1$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1$1$1;->(Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1$1$1;->invoke(Lcom/slack/circuit/backstack/BackStack$Record;Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentProviders$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->DecoratedContent(Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->(Lkotlin/jvm/functions/Function3;)V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Landroidx/compose/animation/AnimatedContentScope;Lkotlinx/collections/immutable/ImmutableList;Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V +Lcom/slack/circuit/foundation/NavigatorImpl; +HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V +HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V +Lcom/slack/circuit/foundation/NavigatorImplKt; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; +Lcom/slack/circuit/foundation/Navigator_androidKt; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->onBack(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)Lkotlin/jvm/functions/Function0; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;ZLandroidx/compose/runtime/Composer;II)Lcom/slack/circuit/runtime/Navigator; +Lcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1; +HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Ljava/lang/Object;)V +Lcom/slack/circuit/foundation/Navigator_androidKt$onBack$1; +HSPLcom/slack/circuit/foundation/Navigator_androidKt$onBack$1;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)V +Lcom/slack/circuit/foundation/RecordContentProvider; +HSPLcom/slack/circuit/foundation/RecordContentProvider;->()V +HSPLcom/slack/circuit/foundation/RecordContentProvider;->(Lcom/slack/circuit/backstack/BackStack$Record;Lkotlin/jvm/functions/Function3;)V +HSPLcom/slack/circuit/foundation/RecordContentProvider;->equals(Ljava/lang/Object;)Z +HSPLcom/slack/circuit/foundation/RecordContentProvider;->getContent$circuit_foundation_release()Lkotlin/jvm/functions/Function3; +HSPLcom/slack/circuit/foundation/RecordContentProvider;->getRecord()Lcom/slack/circuit/backstack/BackStack$Record; +HSPLcom/slack/circuit/foundation/RecordContentProvider;->hashCode()I \ No newline at end of file diff --git a/circuit-overlay/src/androidMain/baseline-prof.txt b/circuit-overlay/src/androidMain/baseline-prof.txt new file mode 100644 index 000000000..b92519109 --- /dev/null +++ b/circuit-overlay/src/androidMain/baseline-prof.txt @@ -0,0 +1,53 @@ +Lcom/slack/circuit/overlay/AnimatedOverlay; +Lcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt; +HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt;->()V +HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt;->()V +HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt;->getLambda-1$circuit_overlay_release()Lkotlin/jvm/functions/Function4; +Lcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1; +HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1;->()V +HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1;->()V +HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1;->invoke(Landroidx/compose/animation/AnimatedContentScope;Lcom/slack/circuit/overlay/OverlayHostData;Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/overlay/ContentWithOverlaysKt; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayState; +HPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->access$ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; +Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1;->(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/State;)V +HPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->()V +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->()V +HPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2;->(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;II)V +Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/overlay/Overlay; +Lcom/slack/circuit/overlay/OverlayHost; +Lcom/slack/circuit/overlay/OverlayHostData; +Lcom/slack/circuit/overlay/OverlayHostImpl; +HSPLcom/slack/circuit/overlay/OverlayHostImpl;->()V +HSPLcom/slack/circuit/overlay/OverlayHostImpl;->getCurrentOverlayData()Lcom/slack/circuit/overlay/OverlayHostData; +Lcom/slack/circuit/overlay/OverlayKt; +HSPLcom/slack/circuit/overlay/OverlayKt;->()V +HSPLcom/slack/circuit/overlay/OverlayKt;->getLocalOverlayHost()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLcom/slack/circuit/overlay/OverlayKt;->rememberOverlayHost(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/overlay/OverlayHost; +Lcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1; +HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V +HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V +Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->$values()[Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->()V +HSPLcom/slack/circuit/overlay/OverlayState;->(Ljava/lang/String;I)V +Lcom/slack/circuit/overlay/OverlayStateKt; +HSPLcom/slack/circuit/overlay/OverlayStateKt;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt;->getLocalOverlayState()Landroidx/compose/runtime/ProvidableCompositionLocal; +Lcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1; +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V \ No newline at end of file diff --git a/circuit-runtime-presenter/src/androidMain/baseline-prof.txt b/circuit-runtime-presenter/src/androidMain/baseline-prof.txt new file mode 100644 index 000000000..f2876e6f8 --- /dev/null +++ b/circuit-runtime-presenter/src/androidMain/baseline-prof.txt @@ -0,0 +1,2 @@ +Lcom/slack/circuit/runtime/presenter/Presenter; +Lcom/slack/circuit/runtime/presenter/Presenter$Factory; \ No newline at end of file diff --git a/circuit-runtime-screen/src/androidMain/baseline-prof.txt b/circuit-runtime-screen/src/androidMain/baseline-prof.txt new file mode 100644 index 000000000..056d29ed3 --- /dev/null +++ b/circuit-runtime-screen/src/androidMain/baseline-prof.txt @@ -0,0 +1,2 @@ +Lcom/slack/circuit/runtime/screen/PopResult; +Lcom/slack/circuit/runtime/screen/Screen; \ No newline at end of file diff --git a/circuit-runtime-ui/src/androidMain/baseline-prof.txt b/circuit-runtime-ui/src/androidMain/baseline-prof.txt new file mode 100644 index 000000000..6501c0b08 --- /dev/null +++ b/circuit-runtime-ui/src/androidMain/baseline-prof.txt @@ -0,0 +1,2 @@ +Lcom/slack/circuit/runtime/ui/Ui; +Lcom/slack/circuit/runtime/ui/Ui$Factory; \ No newline at end of file diff --git a/circuit-runtime/src/androidMain/baseline-prof.txt b/circuit-runtime/src/androidMain/baseline-prof.txt new file mode 100644 index 000000000..8b0f6dd06 --- /dev/null +++ b/circuit-runtime/src/androidMain/baseline-prof.txt @@ -0,0 +1,11 @@ +Lcom/slack/circuit/runtime/CircuitContext; +HSPLcom/slack/circuit/runtime/CircuitContext;->()V +HSPLcom/slack/circuit/runtime/CircuitContext;->(Lcom/slack/circuit/runtime/CircuitContext;Ljava/util/Map;)V +HSPLcom/slack/circuit/runtime/CircuitContext;->(Lcom/slack/circuit/runtime/CircuitContext;Ljava/util/Map;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/runtime/CircuitContext;->putTag(Lkotlin/reflect/KClass;Ljava/lang/Object;)V +Lcom/slack/circuit/runtime/CircuitContext$Companion; +HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->()V +HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Lcom/slack/circuit/runtime/CircuitUiState; +Lcom/slack/circuit/runtime/GoToNavigator; +Lcom/slack/circuit/runtime/Navigator; \ No newline at end of file diff --git a/gradle.properties b/gradle.properties index e11b7867a..d2591bd8f 100644 --- a/gradle.properties +++ b/gradle.properties @@ -75,7 +75,7 @@ POM_DEVELOPER_ID=slackhq POM_DEVELOPER_NAME=Slack Technologies, Inc. POM_DEVELOPER_URL=https://github.com/slackhq POM_INCEPTION_YEAR=2022 -VERSION_NAME=0.19.0-SNAPSHOT +VERSION_NAME=0.19.0 circuit.mavenUrls.snapshots.sonatype=https://oss.sonatype.org/content/repositories/snapshots circuit.mavenUrls.snapshots.sonatypes01=https://s01.oss.sonatype.org/content/repositories/snapshots diff --git a/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt b/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt index d06ac08f2..dd4fc5ee4 100644 --- a/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt +++ b/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt @@ -53,37 +53,26 @@ Landroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl$$External HSPLandroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl$$ExternalSyntheticLambda0;->(Landroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl;)V HSPLandroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl$$ExternalSyntheticLambda0;->run()V Landroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0; +HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1()Landroid/graphics/BlendMode; PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/Canvas;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/Insets;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;F)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;I)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/view/Window;Z)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/Insets;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;F)Z -PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;I)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/Insets;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;F)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$4()Landroid/graphics/BlendMode; -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;)F -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$7()Landroid/graphics/BlendMode; -HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m()Landroid/graphics/BlendMode; HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m()V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(ILandroid/graphics/BlendMode;)Landroid/graphics/BlendModeColorFilter; HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/content/res/Configuration;)I PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;)V -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;Landroid/graphics/RenderNode;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Insets;)I HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Paint;Landroid/graphics/BlendMode;)V -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)I HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;I)Z +PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;)V +HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/translation/ViewTranslationCallback;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Z)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/Window;Z)V +HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Ljava/lang/Object;)Landroid/view/translation/ViewTranslationCallback; Landroidx/activity/EdgeToEdge; HSPLandroidx/activity/EdgeToEdge;->()V HSPLandroidx/activity/EdgeToEdge;->enable$default(Landroidx/activity/ComponentActivity;Landroidx/activity/SystemBarStyle;Landroidx/activity/SystemBarStyle;ILjava/lang/Object;)V @@ -113,7 +102,7 @@ PLandroidx/activity/OnBackPressedCallback;->getEnabledChangedCallback$activity_r HSPLandroidx/activity/OnBackPressedCallback;->isEnabled()Z PLandroidx/activity/OnBackPressedCallback;->remove()V PLandroidx/activity/OnBackPressedCallback;->removeCancellable(Landroidx/activity/Cancellable;)V -HSPLandroidx/activity/OnBackPressedCallback;->setEnabled(Z)V +HPLandroidx/activity/OnBackPressedCallback;->setEnabled(Z)V HSPLandroidx/activity/OnBackPressedCallback;->setEnabledChangedCallback$activity_release(Lkotlin/jvm/functions/Function0;)V Landroidx/activity/OnBackPressedDispatcher; HSPLandroidx/activity/OnBackPressedDispatcher;->(Ljava/lang/Runnable;)V @@ -163,7 +152,7 @@ HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner;->get(Landroid/view/View;) Landroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->()V HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->()V -HPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->()V @@ -452,7 +441,7 @@ HSPLandroidx/appcompat/widget/ContentFrameLayout;->getMinWidthMajor()Landroid/ut HSPLandroidx/appcompat/widget/ContentFrameLayout;->getMinWidthMinor()Landroid/util/TypedValue; HSPLandroidx/appcompat/widget/ContentFrameLayout;->onAttachedToWindow()V PLandroidx/appcompat/widget/ContentFrameLayout;->onDetachedFromWindow()V -HSPLandroidx/appcompat/widget/ContentFrameLayout;->onMeasure(II)V +HPLandroidx/appcompat/widget/ContentFrameLayout;->onMeasure(II)V HSPLandroidx/appcompat/widget/ContentFrameLayout;->setAttachListener(Landroidx/appcompat/widget/ContentFrameLayout$OnAttachListener;)V HSPLandroidx/appcompat/widget/ContentFrameLayout;->setDecorPadding(IIII)V Landroidx/appcompat/widget/ContentFrameLayout$OnAttachListener; @@ -535,7 +524,7 @@ HPLandroidx/arch/core/internal/SafeIterableMap;->newest()Ljava/util/Map$Entry; HPLandroidx/arch/core/internal/SafeIterableMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Landroidx/arch/core/internal/SafeIterableMap$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->putIfAbsent(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/arch/core/internal/SafeIterableMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/arch/core/internal/SafeIterableMap;->size()I +HPLandroidx/arch/core/internal/SafeIterableMap;->size()I Landroidx/arch/core/internal/SafeIterableMap$AscendingIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$AscendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V @@ -555,7 +544,7 @@ Landroidx/arch/core/internal/SafeIterableMap$ListIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->hasNext()Z PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/lang/Object; -HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; +PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->supportRemove(Landroidx/arch/core/internal/SafeIterableMap$Entry;)V Landroidx/arch/core/internal/SafeIterableMap$SupportRemove; @@ -563,53 +552,184 @@ HSPLandroidx/arch/core/internal/SafeIterableMap$SupportRemove;->()V Landroidx/collection/ArrayMap; HSPLandroidx/collection/ArrayMap;->()V Landroidx/collection/ArraySet; -HSPLandroidx/collection/ArraySet;->()V HSPLandroidx/collection/ArraySet;->()V HSPLandroidx/collection/ArraySet;->(I)V +HSPLandroidx/collection/ArraySet;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/collection/ArraySet;->add(Ljava/lang/Object;)Z -HSPLandroidx/collection/ArraySet;->allocArrays(I)V -PLandroidx/collection/ArraySet;->binarySearch(I)I PLandroidx/collection/ArraySet;->clear()V -HSPLandroidx/collection/ArraySet;->freeArrays([I[Ljava/lang/Object;I)V -HSPLandroidx/collection/ArraySet;->indexOf(Ljava/lang/Object;I)I +HSPLandroidx/collection/ArraySet;->getArray$collection()[Ljava/lang/Object; +HSPLandroidx/collection/ArraySet;->getHashes$collection()[I +HSPLandroidx/collection/ArraySet;->get_size$collection()I HSPLandroidx/collection/ArraySet;->iterator()Ljava/util/Iterator; PLandroidx/collection/ArraySet;->removeAt(I)Ljava/lang/Object; +HSPLandroidx/collection/ArraySet;->setArray$collection([Ljava/lang/Object;)V +HSPLandroidx/collection/ArraySet;->setHashes$collection([I)V +HSPLandroidx/collection/ArraySet;->set_size$collection(I)V PLandroidx/collection/ArraySet;->toArray()[Ljava/lang/Object; PLandroidx/collection/ArraySet;->valueAt(I)Ljava/lang/Object; Landroidx/collection/ArraySet$ElementIterator; HSPLandroidx/collection/ArraySet$ElementIterator;->(Landroidx/collection/ArraySet;)V PLandroidx/collection/ArraySet$ElementIterator;->elementAt(I)Ljava/lang/Object; PLandroidx/collection/ArraySet$ElementIterator;->removeAt(I)V -Landroidx/collection/ContainerHelpers; -HSPLandroidx/collection/ContainerHelpers;->()V -PLandroidx/collection/ContainerHelpers;->binarySearch([III)I -HSPLandroidx/collection/ContainerHelpers;->idealByteArraySize(I)I -HSPLandroidx/collection/ContainerHelpers;->idealIntArraySize(I)I +Landroidx/collection/ArraySetKt; +HSPLandroidx/collection/ArraySetKt;->allocArrays(Landroidx/collection/ArraySet;I)V +PLandroidx/collection/ArraySetKt;->binarySearchInternal(Landroidx/collection/ArraySet;I)I +HSPLandroidx/collection/ArraySetKt;->indexOf(Landroidx/collection/ArraySet;Ljava/lang/Object;I)I Landroidx/collection/IndexBasedArrayIterator; HSPLandroidx/collection/IndexBasedArrayIterator;->(I)V HSPLandroidx/collection/IndexBasedArrayIterator;->hasNext()Z PLandroidx/collection/IndexBasedArrayIterator;->next()Ljava/lang/Object; PLandroidx/collection/IndexBasedArrayIterator;->remove()V +PLandroidx/collection/IntIntMap;->()V +PLandroidx/collection/IntIntMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/collection/IntIntMap;->getCapacity()I +Landroidx/collection/IntObjectMap; +HSPLandroidx/collection/IntObjectMap;->()V +HSPLandroidx/collection/IntObjectMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/IntObjectMap;->getCapacity()I +Landroidx/collection/IntObjectMapKt; +HSPLandroidx/collection/IntObjectMapKt;->()V +HSPLandroidx/collection/IntObjectMapKt;->mutableIntObjectMapOf()Landroidx/collection/MutableIntObjectMap; +Landroidx/collection/IntSet; +HSPLandroidx/collection/IntSet;->()V +HSPLandroidx/collection/IntSet;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/IntSet;->getCapacity()I +Landroidx/collection/IntSetKt; +HSPLandroidx/collection/IntSetKt;->()V +HPLandroidx/collection/IntSetKt;->getEmptyIntArray()[I Landroidx/collection/LongSparseArray; +HSPLandroidx/collection/LongSparseArray;->(I)V +HSPLandroidx/collection/LongSparseArray;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/collection/LruCache; HSPLandroidx/collection/LruCache;->(I)V +PLandroidx/collection/MutableIntIntMap;->(I)V +PLandroidx/collection/MutableIntIntMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/collection/MutableIntIntMap;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableIntIntMap;->findInsertIndex(I)I +PLandroidx/collection/MutableIntIntMap;->initializeGrowth()V +PLandroidx/collection/MutableIntIntMap;->initializeMetadata(I)V +PLandroidx/collection/MutableIntIntMap;->initializeStorage(I)V +PLandroidx/collection/MutableIntIntMap;->set(II)V +Landroidx/collection/MutableIntObjectMap; +HSPLandroidx/collection/MutableIntObjectMap;->(I)V +HSPLandroidx/collection/MutableIntObjectMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/MutableIntObjectMap;->findAbsoluteInsertIndex(I)I +HSPLandroidx/collection/MutableIntObjectMap;->findFirstAvailableSlot(I)I +HSPLandroidx/collection/MutableIntObjectMap;->initializeGrowth()V +HSPLandroidx/collection/MutableIntObjectMap;->initializeMetadata(I)V +HSPLandroidx/collection/MutableIntObjectMap;->initializeStorage(I)V +HSPLandroidx/collection/MutableIntObjectMap;->set(ILjava/lang/Object;)V +Landroidx/collection/MutableIntSet; +HSPLandroidx/collection/MutableIntSet;->(I)V +HSPLandroidx/collection/MutableIntSet;->initializeGrowth()V +HSPLandroidx/collection/MutableIntSet;->initializeMetadata(I)V +HSPLandroidx/collection/MutableIntSet;->initializeStorage(I)V +Landroidx/collection/MutableObjectIntMap; +HPLandroidx/collection/MutableObjectIntMap;->(I)V +HPLandroidx/collection/MutableObjectIntMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/MutableObjectIntMap;->adjustStorage()V +HPLandroidx/collection/MutableObjectIntMap;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableObjectIntMap;->findIndex(Ljava/lang/Object;)I +HPLandroidx/collection/MutableObjectIntMap;->initializeGrowth()V +HPLandroidx/collection/MutableObjectIntMap;->initializeMetadata(I)V +HPLandroidx/collection/MutableObjectIntMap;->initializeStorage(I)V +HPLandroidx/collection/MutableObjectIntMap;->put(Ljava/lang/Object;II)I +HPLandroidx/collection/MutableObjectIntMap;->removeValueAt(I)V +HPLandroidx/collection/MutableObjectIntMap;->resizeStorage(I)V +HPLandroidx/collection/MutableObjectIntMap;->set(Ljava/lang/Object;I)V +Landroidx/collection/MutableScatterMap; +HPLandroidx/collection/MutableScatterMap;->(I)V +HPLandroidx/collection/MutableScatterMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/MutableScatterMap;->adjustStorage()V +HPLandroidx/collection/MutableScatterMap;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableScatterMap;->findInsertIndex(Ljava/lang/Object;)I +HPLandroidx/collection/MutableScatterMap;->initializeGrowth()V +HPLandroidx/collection/MutableScatterMap;->initializeMetadata(I)V +HPLandroidx/collection/MutableScatterMap;->initializeStorage(I)V +HPLandroidx/collection/MutableScatterMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/collection/MutableScatterMap;->removeValueAt(I)Ljava/lang/Object; +HPLandroidx/collection/MutableScatterMap;->resizeStorage(I)V +HPLandroidx/collection/MutableScatterMap;->set(Ljava/lang/Object;Ljava/lang/Object;)V +Landroidx/collection/MutableScatterSet; +HPLandroidx/collection/MutableScatterSet;->(I)V +HPLandroidx/collection/MutableScatterSet;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/MutableScatterSet;->add(Ljava/lang/Object;)Z +HPLandroidx/collection/MutableScatterSet;->adjustStorage()V +HPLandroidx/collection/MutableScatterSet;->clear()V +HPLandroidx/collection/MutableScatterSet;->findAbsoluteInsertIndex(Ljava/lang/Object;)I +HPLandroidx/collection/MutableScatterSet;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableScatterSet;->initializeGrowth()V +HPLandroidx/collection/MutableScatterSet;->initializeMetadata(I)V +HPLandroidx/collection/MutableScatterSet;->initializeStorage(I)V +HPLandroidx/collection/MutableScatterSet;->plusAssign(Ljava/lang/Object;)V +HPLandroidx/collection/MutableScatterSet;->remove(Ljava/lang/Object;)Z +HPLandroidx/collection/MutableScatterSet;->removeElementAt(I)V +HPLandroidx/collection/MutableScatterSet;->resizeStorage(I)V +Landroidx/collection/ObjectIntMap; +HPLandroidx/collection/ObjectIntMap;->()V +HPLandroidx/collection/ObjectIntMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/ObjectIntMap;->equals(Ljava/lang/Object;)Z +HPLandroidx/collection/ObjectIntMap;->findKeyIndex(Ljava/lang/Object;)I +HPLandroidx/collection/ObjectIntMap;->getCapacity()I +HSPLandroidx/collection/ObjectIntMap;->getOrDefault(Ljava/lang/Object;I)I +HSPLandroidx/collection/ObjectIntMap;->getSize()I +HSPLandroidx/collection/ObjectIntMap;->isNotEmpty()Z +Landroidx/collection/ObjectIntMapKt; +HSPLandroidx/collection/ObjectIntMapKt;->()V +HPLandroidx/collection/ObjectIntMapKt;->emptyObjectIntMap()Landroidx/collection/ObjectIntMap; +Landroidx/collection/ScatterMap; +HPLandroidx/collection/ScatterMap;->()V +HPLandroidx/collection/ScatterMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/ScatterMap;->containsKey(Ljava/lang/Object;)Z +HPLandroidx/collection/ScatterMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/collection/ScatterMap;->getCapacity()I +PLandroidx/collection/ScatterMap;->isEmpty()Z +HSPLandroidx/collection/ScatterMap;->isNotEmpty()Z +Landroidx/collection/ScatterMapKt; +HSPLandroidx/collection/ScatterMapKt;->()V +HPLandroidx/collection/ScatterMapKt;->loadedCapacity(I)I +HPLandroidx/collection/ScatterMapKt;->mutableScatterMapOf()Landroidx/collection/MutableScatterMap; +HSPLandroidx/collection/ScatterMapKt;->nextCapacity(I)I +HPLandroidx/collection/ScatterMapKt;->normalizeCapacity(I)I +HPLandroidx/collection/ScatterMapKt;->unloadedCapacity(I)I +Landroidx/collection/ScatterSet; +HPLandroidx/collection/ScatterSet;->()V +HPLandroidx/collection/ScatterSet;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/ScatterSet;->contains(Ljava/lang/Object;)Z +HPLandroidx/collection/ScatterSet;->getCapacity()I +HPLandroidx/collection/ScatterSet;->getSize()I +HSPLandroidx/collection/ScatterSet;->isEmpty()Z +PLandroidx/collection/ScatterSetKt;->()V +HPLandroidx/collection/ScatterSetKt;->mutableScatterSetOf()Landroidx/collection/MutableScatterSet; Landroidx/collection/SimpleArrayMap; HSPLandroidx/collection/SimpleArrayMap;->()V +HSPLandroidx/collection/SimpleArrayMap;->(I)V +HSPLandroidx/collection/SimpleArrayMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/collection/SimpleArrayMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/collection/SimpleArrayMap;->getOrDefault(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/collection/SimpleArrayMap;->indexOf(Ljava/lang/Object;I)I HSPLandroidx/collection/SimpleArrayMap;->indexOfKey(Ljava/lang/Object;)I PLandroidx/collection/SimpleArrayMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/collection/SparseArrayCompat; -HSPLandroidx/collection/SparseArrayCompat;->()V -HSPLandroidx/collection/SparseArrayCompat;->()V HSPLandroidx/collection/SparseArrayCompat;->(I)V +HSPLandroidx/collection/SparseArrayCompat;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/SparseArrayCompat;->keyAt(I)I +HSPLandroidx/collection/SparseArrayCompat;->put(ILjava/lang/Object;)V +Landroidx/collection/internal/ContainerHelpersKt; +HSPLandroidx/collection/internal/ContainerHelpersKt;->()V +HSPLandroidx/collection/internal/ContainerHelpersKt;->binarySearch([III)I +HSPLandroidx/collection/internal/ContainerHelpersKt;->idealByteArraySize(I)I +HSPLandroidx/collection/internal/ContainerHelpersKt;->idealIntArraySize(I)I +HSPLandroidx/collection/internal/ContainerHelpersKt;->idealLongArraySize(I)I +Landroidx/collection/internal/Lock; +HSPLandroidx/collection/internal/Lock;->()V +Landroidx/collection/internal/LruHashMap; +HSPLandroidx/collection/internal/LruHashMap;->(IF)V Landroidx/compose/animation/AnimatedContentKt; HPLandroidx/compose/animation/AnimatedContentKt;->AnimatedContent(Landroidx/compose/animation/core/Transition;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/animation/AnimatedContentKt;->AnimatedContent(Ljava/lang/Object;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Ljava/lang/String;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V HSPLandroidx/compose/animation/AnimatedContentKt;->SizeTransform$default(ZLkotlin/jvm/functions/Function2;ILjava/lang/Object;)Landroidx/compose/animation/SizeTransform; HSPLandroidx/compose/animation/AnimatedContentKt;->SizeTransform(ZLkotlin/jvm/functions/Function2;)Landroidx/compose/animation/SizeTransform; -HPLandroidx/compose/animation/AnimatedContentKt;->togetherWith(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;)Landroidx/compose/animation/ContentTransform; +HSPLandroidx/compose/animation/AnimatedContentKt;->togetherWith(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;)Landroidx/compose/animation/ContentTransform; Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$2; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$2;->()V HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$2;->()V @@ -617,7 +737,7 @@ HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$2;->invoke(Ljav Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$3; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$3;->(Ljava/lang/Object;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Ljava/lang/String;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;II)V Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;ILkotlin/jvm/functions/Function1;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;)V HPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$1; @@ -632,17 +752,21 @@ Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3;->(Ljava/lang/Object;)V HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4;->(Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Ljava/lang/Object;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;I)V -HPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4;->invoke(Landroidx/compose/animation/AnimatedVisibilityScope;Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V -PLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1$invoke$$inlined$onDispose$1;->dispose()V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->(Landroidx/compose/animation/ExitTransition;)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Landroidx/compose/animation/EnterExitState;Landroidx/compose/animation/EnterExitState;)Ljava/lang/Boolean; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5;->(Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Ljava/lang/Object;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;)V +HPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5;->invoke(Landroidx/compose/animation/AnimatedVisibilityScope;Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1$invoke$$inlined$onDispose$1; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V +PLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1$invoke$$inlined$onDispose$1;->dispose()V Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$9; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$9;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;II)V Landroidx/compose/animation/AnimatedContentKt$SizeTransform$1; @@ -661,19 +785,21 @@ Landroidx/compose/animation/AnimatedContentScopeImpl; HSPLandroidx/compose/animation/AnimatedContentScopeImpl;->(Landroidx/compose/animation/AnimatedVisibilityScope;)V Landroidx/compose/animation/AnimatedContentTransitionScope; Landroidx/compose/animation/AnimatedContentTransitionScopeImpl; +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->()V HPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->createSizeAnimationModifier$animation_release(Landroidx/compose/animation/ContentTransform;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->createSizeAnimationModifier$lambda$2(Landroidx/compose/runtime/MutableState;)Z HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->createSizeAnimationModifier$lambda$3(Landroidx/compose/runtime/MutableState;Z)V -HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getContentAlignment$animation_release()Landroidx/compose/ui/Alignment; +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getContentAlignment()Landroidx/compose/ui/Alignment; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getInitialState()Ljava/lang/Object; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getTargetSizeMap$animation_release()Ljava/util/Map; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getTargetState()Ljava/lang/Object; -HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setContentAlignment$animation_release(Landroidx/compose/ui/Alignment;)V +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setContentAlignment(Landroidx/compose/ui/Alignment;)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setLayoutDirection$animation_release(Landroidx/compose/ui/unit/LayoutDirection;)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setMeasuredSize-ozmzZPI$animation_release(J)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->using(Landroidx/compose/animation/ContentTransform;Landroidx/compose/animation/SizeTransform;)Landroidx/compose/animation/ContentTransform; Landroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData; +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->()V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->(Z)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->isTarget()Z HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; @@ -686,27 +812,35 @@ HSPLandroidx/compose/animation/AnimatedEnterExitMeasurePolicy$measure$1;-> HSPLandroidx/compose/animation/AnimatedEnterExitMeasurePolicy$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/animation/AnimatedEnterExitMeasurePolicy$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedVisibilityKt; -HPLandroidx/compose/animation/AnimatedVisibilityKt;->AnimatedEnterExitImpl(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/animation/AnimatedVisibilityKt;->AnimatedVisibility(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V +HPLandroidx/compose/animation/AnimatedVisibilityKt;->AnimatedEnterExitImpl(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function2;Landroidx/compose/animation/OnLookaheadMeasured;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt;->access$getExitFinished(Landroidx/compose/animation/core/Transition;)Z +HSPLandroidx/compose/animation/AnimatedVisibilityKt;->getExitFinished(Landroidx/compose/animation/core/Transition;)Z HPLandroidx/compose/animation/AnimatedVisibilityKt;->targetEnterExit(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/EnterExitState; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -HPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1;->(Landroidx/compose/animation/core/Transition;)V -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1;->invoke()Ljava/lang/Boolean; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1;->invoke()Ljava/lang/Object; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2;->(Landroidx/compose/runtime/MutableState;)V -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2;->emit(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$2; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$2;->(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function3;I)V +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$4; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$4;->(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function2;Landroidx/compose/animation/OnLookaheadMeasured;Lkotlin/jvm/functions/Function3;II)V +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Lkotlin/coroutines/Continuation;)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->invoke(Landroidx/compose/runtime/ProduceStateScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1;->(Landroidx/compose/animation/core/Transition;)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1;->invoke()Ljava/lang/Boolean; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1;->invoke()Ljava/lang/Object; +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2;->(Landroidx/compose/runtime/ProduceStateScope;Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2;->emit(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedVisibilityScope; Landroidx/compose/animation/AnimatedVisibilityScopeImpl; +HSPLandroidx/compose/animation/AnimatedVisibilityScopeImpl;->()V HSPLandroidx/compose/animation/AnimatedVisibilityScopeImpl;->(Landroidx/compose/animation/core/Transition;)V HSPLandroidx/compose/animation/AnimatedVisibilityScopeImpl;->getTargetSize$animation_release()Landroidx/compose/runtime/MutableState; +Landroidx/compose/animation/AnimationModifierKt; +HSPLandroidx/compose/animation/AnimationModifierKt;->()V +HSPLandroidx/compose/animation/AnimationModifierKt;->getInvalidSize()J +HSPLandroidx/compose/animation/AnimationModifierKt;->isValid-ozmzZPI(J)Z Landroidx/compose/animation/ColorVectorConverterKt; HSPLandroidx/compose/animation/ColorVectorConverterKt;->()V HSPLandroidx/compose/animation/ColorVectorConverterKt;->getVectorConverter(Landroidx/compose/ui/graphics/Color$Companion;)Lkotlin/jvm/functions/Function1; @@ -718,7 +852,7 @@ HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1;->invoke(L Landroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1; HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->()V HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->()V -HPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->invoke-8_81llA(J)Landroidx/compose/animation/core/AnimationVector4D; Landroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2; HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2;->(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)V @@ -737,7 +871,7 @@ PLandroidx/compose/animation/CrossfadeKt$Crossfade$1;->(Ljava/lang/Object; PLandroidx/compose/animation/CrossfadeKt$Crossfade$3;->()V PLandroidx/compose/animation/CrossfadeKt$Crossfade$3;->()V PLandroidx/compose/animation/CrossfadeKt$Crossfade$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->(Landroidx/compose/animation/core/Transition;ILandroidx/compose/animation/core/FiniteAnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function3;)V +PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/core/FiniteAnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function3;)V PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->access$invoke$lambda$1(Landroidx/compose/runtime/State;)F PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->invoke$lambda$1(Landroidx/compose/runtime/State;)F HPLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -753,42 +887,57 @@ Landroidx/compose/animation/EnterExitState; HSPLandroidx/compose/animation/EnterExitState;->$values()[Landroidx/compose/animation/EnterExitState; HSPLandroidx/compose/animation/EnterExitState;->()V HSPLandroidx/compose/animation/EnterExitState;->(Ljava/lang/String;I)V +Landroidx/compose/animation/EnterExitTransitionElement; +HSPLandroidx/compose/animation/EnterExitTransitionElement;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/GraphicsLayerBlockForEnterExit;)V +HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/animation/EnterExitTransitionModifierNode; +HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/ui/Modifier$Node; Landroidx/compose/animation/EnterExitTransitionKt; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->$r8$lambda$pdcBkeht65McNmOdPY-G1SsWYlU(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/animation/EnterExitTransitionKt;->()V -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$1(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$2(Landroidx/compose/runtime/MutableState;Z)V -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$4(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$5(Landroidx/compose/runtime/MutableState;Z)V +HSPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock$lambda$11(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/GraphicsLayerBlockForEnterExit; HPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeIn$default(Landroidx/compose/animation/core/FiniteAnimationSpec;FILjava/lang/Object;)Landroidx/compose/animation/EnterTransition; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeIn(Landroidx/compose/animation/core/FiniteAnimationSpec;F)Landroidx/compose/animation/EnterTransition; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeOut$default(Landroidx/compose/animation/core/FiniteAnimationSpec;FILjava/lang/Object;)Landroidx/compose/animation/ExitTransition; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeOut(Landroidx/compose/animation/core/FiniteAnimationSpec;F)Landroidx/compose/animation/ExitTransition; -HSPLandroidx/compose/animation/EnterExitTransitionKt;->shrinkExpand(Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/animation/EnterExitTransitionKt;->slideInOut(Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveEnter$lambda$4(Landroidx/compose/runtime/MutableState;)Landroidx/compose/animation/EnterTransition; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveEnter$lambda$5(Landroidx/compose/runtime/MutableState;Landroidx/compose/animation/EnterTransition;)V +HPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveEnter(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/EnterTransition; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveExit$lambda$7(Landroidx/compose/runtime/MutableState;)Landroidx/compose/animation/ExitTransition; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveExit$lambda$8(Landroidx/compose/runtime/MutableState;Landroidx/compose/animation/ExitTransition;)V +HPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveExit(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/ExitTransition; +Landroidx/compose/animation/EnterExitTransitionKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/animation/EnterExitTransitionKt$$ExternalSyntheticLambda0;->(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)V +HSPLandroidx/compose/animation/EnterExitTransitionKt$$ExternalSyntheticLambda0;->init()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$1; HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$1;->()V HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$1;->()V Landroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$2; HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$2;->()V HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$2;->()V -Landroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1; -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)V -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke$lambda$1(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke$lambda$2(Landroidx/compose/runtime/MutableState;Z)V -HPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/EnterExitTransitionKt$slideInOut$1; -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)V -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke$lambda$1(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke$lambda$2(Landroidx/compose/runtime/MutableState;Z)V -HPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1; +HSPLandroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1;->(Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/EnterExitTransitionModifierNode; +HPLandroidx/compose/animation/EnterExitTransitionModifierNode;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/GraphicsLayerBlockForEnterExit;)V +HPLandroidx/compose/animation/EnterExitTransitionModifierNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode;->onAttach()V +Landroidx/compose/animation/EnterExitTransitionModifierNode$measure$2; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$measure$2;->(Landroidx/compose/ui/layout/Placeable;JJLkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$measure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/EnterExitTransitionModifierNode$sizeTransitionSpec$1; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$sizeTransitionSpec$1;->(Landroidx/compose/animation/EnterExitTransitionModifierNode;)V +Landroidx/compose/animation/EnterExitTransitionModifierNode$slideSpec$1; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$slideSpec$1;->(Landroidx/compose/animation/EnterExitTransitionModifierNode;)V Landroidx/compose/animation/EnterTransition; HSPLandroidx/compose/animation/EnterTransition;->()V HSPLandroidx/compose/animation/EnterTransition;->()V HSPLandroidx/compose/animation/EnterTransition;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/EnterTransition;->access$getNone$cp()Landroidx/compose/animation/EnterTransition; +HSPLandroidx/compose/animation/EnterTransition;->equals(Ljava/lang/Object;)Z Landroidx/compose/animation/EnterTransition$Companion; HSPLandroidx/compose/animation/EnterTransition$Companion;->()V HSPLandroidx/compose/animation/EnterTransition$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -801,6 +950,7 @@ HSPLandroidx/compose/animation/ExitTransition;->()V HSPLandroidx/compose/animation/ExitTransition;->()V HSPLandroidx/compose/animation/ExitTransition;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/ExitTransition;->access$getNone$cp()Landroidx/compose/animation/ExitTransition; +HSPLandroidx/compose/animation/ExitTransition;->equals(Ljava/lang/Object;)Z Landroidx/compose/animation/ExitTransition$Companion; HSPLandroidx/compose/animation/ExitTransition$Companion;->()V HSPLandroidx/compose/animation/ExitTransition$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -809,20 +959,27 @@ Landroidx/compose/animation/ExitTransitionImpl; HSPLandroidx/compose/animation/ExitTransitionImpl;->(Landroidx/compose/animation/TransitionData;)V HSPLandroidx/compose/animation/ExitTransitionImpl;->getData$animation_release()Landroidx/compose/animation/TransitionData; Landroidx/compose/animation/Fade; +HSPLandroidx/compose/animation/Fade;->()V HSPLandroidx/compose/animation/Fade;->(FLandroidx/compose/animation/core/FiniteAnimationSpec;)V Landroidx/compose/animation/FlingCalculator; +HSPLandroidx/compose/animation/FlingCalculator;->()V HSPLandroidx/compose/animation/FlingCalculator;->(FLandroidx/compose/ui/unit/Density;)V HSPLandroidx/compose/animation/FlingCalculator;->computeDeceleration(Landroidx/compose/ui/unit/Density;)F Landroidx/compose/animation/FlingCalculatorKt; HSPLandroidx/compose/animation/FlingCalculatorKt;->()V HSPLandroidx/compose/animation/FlingCalculatorKt;->access$computeDeceleration(FF)F HSPLandroidx/compose/animation/FlingCalculatorKt;->computeDeceleration(FF)F +Landroidx/compose/animation/GraphicsLayerBlockForEnterExit; +Landroidx/compose/animation/LayoutModifierNodeWithPassThroughIntrinsics; +HSPLandroidx/compose/animation/LayoutModifierNodeWithPassThroughIntrinsics;->()V +HSPLandroidx/compose/animation/LayoutModifierNodeWithPassThroughIntrinsics;->()V Landroidx/compose/animation/SingleValueAnimationKt; HSPLandroidx/compose/animation/SingleValueAnimationKt;->()V HPLandroidx/compose/animation/SingleValueAnimationKt;->animateColorAsState-euL9pac(JLandroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)Landroidx/compose/runtime/State; Landroidx/compose/animation/SizeTransform; Landroidx/compose/animation/SizeTransformImpl; HSPLandroidx/compose/animation/SizeTransformImpl;->(ZLkotlin/jvm/functions/Function2;)V +PLandroidx/compose/animation/SplineBasedDecayKt;->splineBasedDecay(Landroidx/compose/ui/unit/Density;)Landroidx/compose/animation/core/DecayAnimationSpec; Landroidx/compose/animation/SplineBasedFloatDecayAnimationSpec; HSPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec;->()V HSPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec;->(Landroidx/compose/ui/unit/Density;)V @@ -831,21 +988,61 @@ HSPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec_androidKt;->getPlatformFlingScrollFriction()F HPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec_androidKt;->rememberSplineBasedDecay(Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/core/DecayAnimationSpec; Landroidx/compose/animation/TransitionData; -HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;)V -HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/TransitionData;->()V +HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;ZLjava/util/Map;)V +HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;ZLjava/util/Map;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/TransitionData;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/animation/TransitionData;->getChangeSize()Landroidx/compose/animation/ChangeSize; +HSPLandroidx/compose/animation/TransitionData;->getFade()Landroidx/compose/animation/Fade; +HSPLandroidx/compose/animation/TransitionData;->getScale()Landroidx/compose/animation/Scale; HSPLandroidx/compose/animation/TransitionData;->getSlide()Landroidx/compose/animation/Slide; Landroidx/compose/animation/core/Animatable; HSPLandroidx/compose/animation/core/Animatable;->()V HPLandroidx/compose/animation/core/Animatable;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/String;)V -HSPLandroidx/compose/animation/core/Animatable;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/animation/core/Animatable;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/animation/core/Animatable;->access$clampToBounds(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->access$endAnimation(Landroidx/compose/animation/core/Animatable;)V +PLandroidx/compose/animation/core/Animatable;->access$setRunning(Landroidx/compose/animation/core/Animatable;Z)V +PLandroidx/compose/animation/core/Animatable;->access$setTargetValue(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;)V +PLandroidx/compose/animation/core/Animatable;->animateTo$default(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->animateTo(Ljava/lang/Object;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/animation/core/Animatable;->asState()Landroidx/compose/runtime/State; -HPLandroidx/compose/animation/core/Animatable;->createVector(Ljava/lang/Object;F)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/Animatable;->getTargetValue()Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable;->clampToBounds(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->endAnimation()V +PLandroidx/compose/animation/core/Animatable;->getInternalState$animation_core_release()Landroidx/compose/animation/core/AnimationState; +HSPLandroidx/compose/animation/core/Animatable;->getTargetValue()Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/Animatable;->getValue()Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->getVelocity()Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/Animatable;->isRunning()Z +PLandroidx/compose/animation/core/Animatable;->runAnimation(Landroidx/compose/animation/core/Animation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->setRunning(Z)V +PLandroidx/compose/animation/core/Animatable;->setTargetValue(Ljava/lang/Object;)V +PLandroidx/compose/animation/core/Animatable;->snapTo(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->(Landroidx/compose/animation/core/Animatable;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/Ref$BooleanRef;)V +HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Landroidx/compose/animation/core/AnimationScope;)V +HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/Animatable$snapTo$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/AnimatableKt; +HSPLandroidx/compose/animation/core/AnimatableKt;->()V HSPLandroidx/compose/animation/core/AnimatableKt;->Animatable$default(FFILjava/lang/Object;)Landroidx/compose/animation/core/Animatable; HPLandroidx/compose/animation/core/AnimatableKt;->Animatable(FF)Landroidx/compose/animation/core/Animatable; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getNegativeInfinityBounds1D$p()Landroidx/compose/animation/core/AnimationVector1D; +PLandroidx/compose/animation/core/AnimatableKt;->access$getNegativeInfinityBounds2D$p()Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getNegativeInfinityBounds4D$p()Landroidx/compose/animation/core/AnimationVector4D; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getPositiveInfinityBounds1D$p()Landroidx/compose/animation/core/AnimationVector1D; +PLandroidx/compose/animation/core/AnimatableKt;->access$getPositiveInfinityBounds2D$p()Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getPositiveInfinityBounds4D$p()Landroidx/compose/animation/core/AnimationVector4D; Landroidx/compose/animation/core/AnimateAsStateKt; HSPLandroidx/compose/animation/core/AnimateAsStateKt;->()V HPLandroidx/compose/animation/core/AnimateAsStateKt;->animateFloatAsState(FLandroidx/compose/animation/core/AnimationSpec;FLjava/lang/String;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)Landroidx/compose/runtime/State; @@ -863,7 +1060,26 @@ HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/Animation; -HSPLandroidx/compose/animation/core/Animation;->isFinishedFromNanos(J)Z +HPLandroidx/compose/animation/core/Animation;->isFinishedFromNanos(J)Z +PLandroidx/compose/animation/core/AnimationEndReason;->$values()[Landroidx/compose/animation/core/AnimationEndReason; +PLandroidx/compose/animation/core/AnimationEndReason;->()V +PLandroidx/compose/animation/core/AnimationEndReason;->(Ljava/lang/String;I)V +PLandroidx/compose/animation/core/AnimationKt;->TargetBasedAnimation(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Landroidx/compose/animation/core/TargetBasedAnimation; +PLandroidx/compose/animation/core/AnimationResult;->()V +PLandroidx/compose/animation/core/AnimationResult;->(Landroidx/compose/animation/core/AnimationState;Landroidx/compose/animation/core/AnimationEndReason;)V +PLandroidx/compose/animation/core/AnimationScope;->()V +HPLandroidx/compose/animation/core/AnimationScope;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationVector;JLjava/lang/Object;JZLkotlin/jvm/functions/Function0;)V +PLandroidx/compose/animation/core/AnimationScope;->getFinishedTimeNanos()J +PLandroidx/compose/animation/core/AnimationScope;->getLastFrameTimeNanos()J +PLandroidx/compose/animation/core/AnimationScope;->getStartTimeNanos()J +HPLandroidx/compose/animation/core/AnimationScope;->getValue()Ljava/lang/Object; +PLandroidx/compose/animation/core/AnimationScope;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/AnimationScope;->isRunning()Z +PLandroidx/compose/animation/core/AnimationScope;->setFinishedTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationScope;->setLastFrameTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationScope;->setRunning$animation_core_release(Z)V +PLandroidx/compose/animation/core/AnimationScope;->setValue$animation_core_release(Ljava/lang/Object;)V +PLandroidx/compose/animation/core/AnimationScope;->setVelocityVector$animation_core_release(Landroidx/compose/animation/core/AnimationVector;)V Landroidx/compose/animation/core/AnimationSpec; Landroidx/compose/animation/core/AnimationSpecKt; PLandroidx/compose/animation/core/AnimationSpecKt;->access$convert(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;)Landroidx/compose/animation/core/AnimationVector; @@ -879,8 +1095,19 @@ Landroidx/compose/animation/core/AnimationState; HSPLandroidx/compose/animation/core/AnimationState;->()V HPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZ)V HSPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/animation/core/AnimationState;->getLastFrameTimeNanos()J +PLandroidx/compose/animation/core/AnimationState;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/AnimationState;->getValue()Ljava/lang/Object; +HPLandroidx/compose/animation/core/AnimationState;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/AnimationState;->isRunning()Z +PLandroidx/compose/animation/core/AnimationState;->setFinishedTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationState;->setLastFrameTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationState;->setRunning$animation_core_release(Z)V +HPLandroidx/compose/animation/core/AnimationState;->setValue$animation_core_release(Ljava/lang/Object;)V +PLandroidx/compose/animation/core/AnimationState;->setVelocityVector$animation_core_release(Landroidx/compose/animation/core/AnimationVector;)V Landroidx/compose/animation/core/AnimationStateKt; +PLandroidx/compose/animation/core/AnimationStateKt;->copy$default(Landroidx/compose/animation/core/AnimationState;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILjava/lang/Object;)Landroidx/compose/animation/core/AnimationState; +PLandroidx/compose/animation/core/AnimationStateKt;->copy(Landroidx/compose/animation/core/AnimationState;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZ)Landroidx/compose/animation/core/AnimationState; HPLandroidx/compose/animation/core/AnimationStateKt;->createZeroVectorFrom(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/AnimationVector; HSPLandroidx/compose/animation/core/AnimationVector;->()V @@ -890,27 +1117,47 @@ Landroidx/compose/animation/core/AnimationVector1D; HSPLandroidx/compose/animation/core/AnimationVector1D;->()V HPLandroidx/compose/animation/core/AnimationVector1D;->(F)V HPLandroidx/compose/animation/core/AnimationVector1D;->get$animation_core_release(I)F -HPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I +HSPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I HSPLandroidx/compose/animation/core/AnimationVector1D;->getValue()F -HPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector1D; -HPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V +HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector1D; +HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/AnimationVector1D;->reset$animation_core_release()V +HSPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V +Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimationVector2D;->()V +HPLandroidx/compose/animation/core/AnimationVector2D;->(FF)V +HPLandroidx/compose/animation/core/AnimationVector2D;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/animation/core/AnimationVector2D;->get$animation_core_release(I)F +PLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I +PLandroidx/compose/animation/core/AnimationVector2D;->getV1()F +PLandroidx/compose/animation/core/AnimationVector2D;->getV2()F +PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector2D; +HPLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/AnimationVector2D;->reset$animation_core_release()V +HPLandroidx/compose/animation/core/AnimationVector2D;->set$animation_core_release(IF)V +Landroidx/compose/animation/core/AnimationVector3D; +HSPLandroidx/compose/animation/core/AnimationVector3D;->()V +HSPLandroidx/compose/animation/core/AnimationVector3D;->(FFF)V Landroidx/compose/animation/core/AnimationVector4D; HSPLandroidx/compose/animation/core/AnimationVector4D;->()V HPLandroidx/compose/animation/core/AnimationVector4D;->(FFFF)V -HSPLandroidx/compose/animation/core/AnimationVector4D;->getSize$animation_core_release()I -HSPLandroidx/compose/animation/core/AnimationVector4D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector4D; -HSPLandroidx/compose/animation/core/AnimationVector4D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/AnimationVector4D;->set$animation_core_release(IF)V +HSPLandroidx/compose/animation/core/AnimationVector4D;->reset$animation_core_release()V Landroidx/compose/animation/core/AnimationVectorsKt; -PLandroidx/compose/animation/core/AnimationVectorsKt;->copy(Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(F)Landroidx/compose/animation/core/AnimationVector1D; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(FF)Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(FFF)Landroidx/compose/animation/core/AnimationVector3D; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(FFFF)Landroidx/compose/animation/core/AnimationVector4D; +HPLandroidx/compose/animation/core/AnimationVectorsKt;->copy(Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/AnimationVectorsKt;->copyFrom(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)V HPLandroidx/compose/animation/core/AnimationVectorsKt;->newInstance(Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/Animations; +PLandroidx/compose/animation/core/ComplexDouble;->()V PLandroidx/compose/animation/core/ComplexDouble;->(DD)V PLandroidx/compose/animation/core/ComplexDouble;->access$get_imaginary$p(Landroidx/compose/animation/core/ComplexDouble;)D PLandroidx/compose/animation/core/ComplexDouble;->access$get_real$p(Landroidx/compose/animation/core/ComplexDouble;)D PLandroidx/compose/animation/core/ComplexDouble;->access$set_imaginary$p(Landroidx/compose/animation/core/ComplexDouble;D)V PLandroidx/compose/animation/core/ComplexDouble;->access$set_real$p(Landroidx/compose/animation/core/ComplexDouble;D)V +PLandroidx/compose/animation/core/ComplexDouble;->getReal()D PLandroidx/compose/animation/core/ComplexDoubleKt;->complexSqrt(D)Landroidx/compose/animation/core/ComplexDouble; Landroidx/compose/animation/core/CubicBezierEasing; HSPLandroidx/compose/animation/core/CubicBezierEasing;->()V @@ -926,22 +1173,25 @@ HSPLandroidx/compose/animation/core/DecayAnimationSpecKt;->generateDecayAnimatio Landroidx/compose/animation/core/DurationBasedAnimationSpec; Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt; +HSPLandroidx/compose/animation/core/EasingKt;->$r8$lambda$7O2TQpsfx-61Y7k3YdwvDNA9V_g(F)F HSPLandroidx/compose/animation/core/EasingKt;->()V +HSPLandroidx/compose/animation/core/EasingKt;->LinearEasing$lambda$0(F)F HSPLandroidx/compose/animation/core/EasingKt;->getFastOutLinearInEasing()Landroidx/compose/animation/core/Easing; HSPLandroidx/compose/animation/core/EasingKt;->getFastOutSlowInEasing()Landroidx/compose/animation/core/Easing; HSPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; -Landroidx/compose/animation/core/EasingKt$LinearEasing$1; -HSPLandroidx/compose/animation/core/EasingKt$LinearEasing$1;->()V -HSPLandroidx/compose/animation/core/EasingKt$LinearEasing$1;->()V -HSPLandroidx/compose/animation/core/EasingKt$LinearEasing$1;->transform(F)F +Landroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->()V +HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F Landroidx/compose/animation/core/FiniteAnimationSpec; Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/FloatDecayAnimationSpec; PLandroidx/compose/animation/core/FloatSpringSpec;->()V -PLandroidx/compose/animation/core/FloatSpringSpec;->(FFF)V +HPLandroidx/compose/animation/core/FloatSpringSpec;->(FFF)V PLandroidx/compose/animation/core/FloatSpringSpec;->(FFFILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/animation/core/FloatSpringSpec;->getDurationNanos(FFF)J PLandroidx/compose/animation/core/FloatSpringSpec;->getEndVelocity(FFF)F +HPLandroidx/compose/animation/core/FloatSpringSpec;->getValueFromNanos(JFFF)F +HPLandroidx/compose/animation/core/FloatSpringSpec;->getVelocityFromNanos(JFFF)F Landroidx/compose/animation/core/FloatTweenSpec; HSPLandroidx/compose/animation/core/FloatTweenSpec;->()V HSPLandroidx/compose/animation/core/FloatTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V @@ -952,7 +1202,7 @@ Landroidx/compose/animation/core/InfiniteAnimationPolicyKt; HPLandroidx/compose/animation/core/InfiniteAnimationPolicyKt;->withInfiniteAnimationFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/animation/core/InfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->()V -HPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V +HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; Landroidx/compose/animation/core/InfiniteTransition; @@ -969,7 +1219,7 @@ HPLandroidx/compose/animation/core/InfiniteTransition;->onFrame(J)V PLandroidx/compose/animation/core/InfiniteTransition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HPLandroidx/compose/animation/core/InfiniteTransition;->run$animation_core_release(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/animation/core/InfiniteTransition;->setRefreshChildNeeded(Z)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V +HPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->(Landroidx/compose/animation/core/InfiniteTransition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getInitialValue$animation_core_release()Ljava/lang/Object; @@ -1004,6 +1254,12 @@ HSPLandroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2;->invoke Landroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2$invoke$$inlined$onDispose$1; HSPLandroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/animation/core/InfiniteTransition;Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V PLandroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2$invoke$$inlined$onDispose$1;->dispose()V +Landroidx/compose/animation/core/KeyframeBaseEntity; +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->()V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;)V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->setEasing$animation_core_release(Landroidx/compose/animation/core/Easing;)V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->toPair$animation_core_release(Lkotlin/jvm/functions/Function1;)Lkotlin/Pair; Landroidx/compose/animation/core/KeyframesSpec; HSPLandroidx/compose/animation/core/KeyframesSpec;->()V HSPLandroidx/compose/animation/core/KeyframesSpec;->(Landroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;)V @@ -1013,46 +1269,80 @@ Landroidx/compose/animation/core/KeyframesSpec$KeyframeEntity; HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->()V HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;)V HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->setEasing$animation_core_release(Landroidx/compose/animation/core/Easing;)V -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->toPair$animation_core_release(Lkotlin/jvm/functions/Function1;)Lkotlin/Pair; Landroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig; HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->()V HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->()V +HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->at(Ljava/lang/Object;I)Landroidx/compose/animation/core/KeyframeBaseEntity; HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->at(Ljava/lang/Object;I)Landroidx/compose/animation/core/KeyframesSpec$KeyframeEntity; -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->getDelayMillis()I -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->getDurationMillis()I -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->getKeyframes$animation_core_release()Ljava/util/Map; -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->setDurationMillis(I)V -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->with(Landroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;Landroidx/compose/animation/core/Easing;)V +Landroidx/compose/animation/core/KeyframesSpecBaseConfig; +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->()V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->()V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->getDelayMillis()I +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->getDurationMillis()I +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->getKeyframes$animation_core_release()Landroidx/collection/MutableIntObjectMap; +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->setDurationMillis(I)V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->using(Landroidx/compose/animation/core/KeyframeBaseEntity;Landroidx/compose/animation/core/Easing;)Landroidx/compose/animation/core/KeyframeBaseEntity; +PLandroidx/compose/animation/core/Motion;->constructor-impl(J)J +HPLandroidx/compose/animation/core/Motion;->getValue-impl(J)F +HPLandroidx/compose/animation/core/Motion;->getVelocity-impl(J)F Landroidx/compose/animation/core/MutableTransitionState; HSPLandroidx/compose/animation/core/MutableTransitionState;->()V HPLandroidx/compose/animation/core/MutableTransitionState;->(Ljava/lang/Object;)V HPLandroidx/compose/animation/core/MutableTransitionState;->getCurrentState()Ljava/lang/Object; HSPLandroidx/compose/animation/core/MutableTransitionState;->setCurrentState$animation_core_release(Ljava/lang/Object;)V -HSPLandroidx/compose/animation/core/MutableTransitionState;->setRunning$animation_core_release(Z)V +HSPLandroidx/compose/animation/core/MutableTransitionState;->transitionConfigured$animation_core_release(Landroidx/compose/animation/core/Transition;)V +PLandroidx/compose/animation/core/MutatePriority;->$values()[Landroidx/compose/animation/core/MutatePriority; +PLandroidx/compose/animation/core/MutatePriority;->()V +PLandroidx/compose/animation/core/MutatePriority;->(Ljava/lang/String;I)V +PLandroidx/compose/animation/core/MutationInterruptedException;->()V +PLandroidx/compose/animation/core/MutationInterruptedException;->fillInStackTrace()Ljava/lang/Throwable; Landroidx/compose/animation/core/MutatorMutex; +HSPLandroidx/compose/animation/core/MutatorMutex;->()V HPLandroidx/compose/animation/core/MutatorMutex;->()V +PLandroidx/compose/animation/core/MutatorMutex;->access$getCurrentMutator$p(Landroidx/compose/animation/core/MutatorMutex;)Ljava/util/concurrent/atomic/AtomicReference; +PLandroidx/compose/animation/core/MutatorMutex;->access$getMutex$p(Landroidx/compose/animation/core/MutatorMutex;)Lkotlinx/coroutines/sync/Mutex; +PLandroidx/compose/animation/core/MutatorMutex;->access$tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatorMutex$Mutator;)V +PLandroidx/compose/animation/core/MutatorMutex;->mutate$default(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/MutatorMutex;->mutate(Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V Landroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0; HPLandroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReference;Ljava/lang/Object;Ljava/lang/Object;)Z +PLandroidx/compose/animation/core/MutatorMutex$Mutator;->(Landroidx/compose/animation/core/MutatePriority;Lkotlinx/coroutines/Job;)V +PLandroidx/compose/animation/core/MutatorMutex$Mutator;->canInterrupt(Landroidx/compose/animation/core/MutatorMutex$Mutator;)Z +PLandroidx/compose/animation/core/MutatorMutex$Mutator;->cancel()V +HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->(Landroidx/compose/animation/core/MutatePriority;Landroidx/compose/animation/core/MutatorMutex;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/RepeatMode; HSPLandroidx/compose/animation/core/RepeatMode;->$values()[Landroidx/compose/animation/core/RepeatMode; HSPLandroidx/compose/animation/core/RepeatMode;->()V HSPLandroidx/compose/animation/core/RepeatMode;->(Ljava/lang/String;I)V -PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDurationMillis(DDDDD)J +HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDurationMillis(DDDDD)J PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDurationMillis(FFFFF)J +HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateCriticallyDamped(Landroidx/compose/animation/core/ComplexDouble;DDD)D PLandroidx/compose/animation/core/SpringEstimationKt;->estimateDurationInternal(Landroidx/compose/animation/core/ComplexDouble;Landroidx/compose/animation/core/ComplexDouble;DDDD)J -PLandroidx/compose/animation/core/SpringSimulation;->(F)V +PLandroidx/compose/animation/core/SpringSimulation;->()V +HPLandroidx/compose/animation/core/SpringSimulation;->(F)V PLandroidx/compose/animation/core/SpringSimulation;->getDampingRatio()F PLandroidx/compose/animation/core/SpringSimulation;->getStiffness()F +HPLandroidx/compose/animation/core/SpringSimulation;->init()V PLandroidx/compose/animation/core/SpringSimulation;->setDampingRatio(F)V +HPLandroidx/compose/animation/core/SpringSimulation;->setFinalPosition(F)V PLandroidx/compose/animation/core/SpringSimulation;->setStiffness(F)V +HPLandroidx/compose/animation/core/SpringSimulation;->updateValues-IJZedt4$animation_core_release(FFJ)J +PLandroidx/compose/animation/core/SpringSimulationKt;->()V +HPLandroidx/compose/animation/core/SpringSimulationKt;->Motion(FF)J +PLandroidx/compose/animation/core/SpringSimulationKt;->getUNSET()F Landroidx/compose/animation/core/SpringSpec; HSPLandroidx/compose/animation/core/SpringSpec;->()V HPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;)V HSPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/SpringSpec;->equals(Ljava/lang/Object;)Z PLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; -PLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedSpringSpec; +HPLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedSpringSpec; Landroidx/compose/animation/core/StartOffset; HSPLandroidx/compose/animation/core/StartOffset;->constructor-impl$default(IIILkotlin/jvm/internal/DefaultConstructorMarker;)J HSPLandroidx/compose/animation/core/StartOffset;->constructor-impl(II)J @@ -1066,19 +1356,41 @@ HSPLandroidx/compose/animation/core/StartOffsetType$Companion;->()V HSPLandroidx/compose/animation/core/StartOffsetType$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/core/StartOffsetType$Companion;->getDelay-Eo1U57Q()I Landroidx/compose/animation/core/SuspendAnimationKt; +PLandroidx/compose/animation/core/SuspendAnimationKt;->access$doAnimationFrameWithScale(Landroidx/compose/animation/core/AnimationScope;JFLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt;->animate(Landroidx/compose/animation/core/AnimationState;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/SuspendAnimationKt;->callWithFrameNanos(Landroidx/compose/animation/core/Animation;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/SuspendAnimationKt;->doAnimationFrame(Landroidx/compose/animation/core/AnimationScope;JJLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V +PLandroidx/compose/animation/core/SuspendAnimationKt;->doAnimationFrameWithScale(Landroidx/compose/animation/core/AnimationScope;JFLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/animation/core/SuspendAnimationKt;->getDurationScale(Lkotlin/coroutines/CoroutineContext;)F +HPLandroidx/compose/animation/core/SuspendAnimationKt;->updateState(Landroidx/compose/animation/core/AnimationScope;Landroidx/compose/animation/core/AnimationState;)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$4;->(Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$4;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6;->(Lkotlin/jvm/internal/Ref$ObjectRef;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationState;FLkotlin/jvm/functions/Function1;)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6;->invoke(J)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6$1;->(Landroidx/compose/animation/core/AnimationState;)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$7;->(Landroidx/compose/animation/core/AnimationState;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->(Lkotlin/jvm/internal/Ref$ObjectRef;FLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(J)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/TargetBasedAnimation; HSPLandroidx/compose/animation/core/TargetBasedAnimation;->()V -HPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;)V +HSPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;)V HSPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/VectorizedAnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;)V HPLandroidx/compose/animation/core/TargetBasedAnimation;->getDurationNanos()J HSPLandroidx/compose/animation/core/TargetBasedAnimation;->getTargetValue()Ljava/lang/Object; -HSPLandroidx/compose/animation/core/TargetBasedAnimation;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; +HPLandroidx/compose/animation/core/TargetBasedAnimation;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/TargetBasedAnimation;->getValueFromNanos(J)Ljava/lang/Object; +HPLandroidx/compose/animation/core/TargetBasedAnimation;->getVelocityVectorFromNanos(J)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/TargetBasedAnimation;->isInfinite()Z Landroidx/compose/animation/core/Transition; HSPLandroidx/compose/animation/core/Transition;->()V -HPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/MutableTransitionState;Ljava/lang/String;)V +HSPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/MutableTransitionState;Ljava/lang/String;)V +HPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/TransitionState;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/Transition;->(Ljava/lang/Object;Ljava/lang/String;)V PLandroidx/compose/animation/core/Transition;->addAnimation$animation_core_release(Landroidx/compose/animation/core/Transition$TransitionAnimationState;)Z HSPLandroidx/compose/animation/core/Transition;->addTransition$animation_core_release(Landroidx/compose/animation/core/Transition;)Z @@ -1096,7 +1408,6 @@ HPLandroidx/compose/animation/core/Transition;->onTransitionEnd$animation_core_r HSPLandroidx/compose/animation/core/Transition;->onTransitionStart$animation_core_release(J)V PLandroidx/compose/animation/core/Transition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/Transition$TransitionAnimationState;)V PLandroidx/compose/animation/core/Transition;->removeTransition$animation_core_release(Landroidx/compose/animation/core/Transition;)Z -HSPLandroidx/compose/animation/core/Transition;->setCurrentState$animation_core_release(Ljava/lang/Object;)V HSPLandroidx/compose/animation/core/Transition;->setPlayTimeNanos(J)V HSPLandroidx/compose/animation/core/Transition;->setSeeking$animation_core_release(Z)V HSPLandroidx/compose/animation/core/Transition;->setStartTimeNanos(J)V @@ -1128,8 +1439,8 @@ HSPLandroidx/compose/animation/core/Transition$animateTo$2;->invoke(Landroidx/co HSPLandroidx/compose/animation/core/Transition$animateTo$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/Transition$totalDurationNanos$2; HSPLandroidx/compose/animation/core/Transition$totalDurationNanos$2;->(Landroidx/compose/animation/core/Transition;)V -Landroidx/compose/animation/core/Transition$updateTarget$2; -HSPLandroidx/compose/animation/core/Transition$updateTarget$2;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;I)V +Landroidx/compose/animation/core/Transition$updateTarget$3; +HSPLandroidx/compose/animation/core/Transition$updateTarget$3;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;I)V Landroidx/compose/animation/core/TransitionKt; HPLandroidx/compose/animation/core/TransitionKt;->createChildTransitionInternal(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/core/Transition; HPLandroidx/compose/animation/core/TransitionKt;->createTransitionAnimation(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/FiniteAnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; @@ -1153,6 +1464,11 @@ HSPLandroidx/compose/animation/core/TransitionKt$updateTransition$1$1;->invoke(L Landroidx/compose/animation/core/TransitionKt$updateTransition$1$1$invoke$$inlined$onDispose$1; HSPLandroidx/compose/animation/core/TransitionKt$updateTransition$1$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/animation/core/Transition;)V PLandroidx/compose/animation/core/TransitionKt$updateTransition$1$1$invoke$$inlined$onDispose$1;->dispose()V +Landroidx/compose/animation/core/TransitionState; +HSPLandroidx/compose/animation/core/TransitionState;->()V +HSPLandroidx/compose/animation/core/TransitionState;->()V +HSPLandroidx/compose/animation/core/TransitionState;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/core/TransitionState;->setRunning$animation_core_release(Z)V Landroidx/compose/animation/core/TweenSpec; HSPLandroidx/compose/animation/core/TweenSpec;->()V HPLandroidx/compose/animation/core/TweenSpec;->(IILandroidx/compose/animation/core/Easing;)V @@ -1162,12 +1478,12 @@ HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/anim HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedTweenSpec; Landroidx/compose/animation/core/TwoWayConverter; Landroidx/compose/animation/core/TwoWayConverterImpl; -HPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertToVector()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/core/VectorConvertersKt; HSPLandroidx/compose/animation/core/VectorConvertersKt;->()V -HPLandroidx/compose/animation/core/VectorConvertersKt;->TwoWayConverter(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/animation/core/TwoWayConverter; +HSPLandroidx/compose/animation/core/VectorConvertersKt;->TwoWayConverter(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/animation/core/TwoWayConverter; HSPLandroidx/compose/animation/core/VectorConvertersKt;->getVectorConverter(Landroidx/compose/ui/geometry/Offset$Companion;)Landroidx/compose/animation/core/TwoWayConverter; HSPLandroidx/compose/animation/core/VectorConvertersKt;->getVectorConverter(Landroidx/compose/ui/geometry/Rect$Companion;)Landroidx/compose/animation/core/TwoWayConverter; HSPLandroidx/compose/animation/core/VectorConvertersKt;->getVectorConverter(Landroidx/compose/ui/geometry/Size$Companion;)Landroidx/compose/animation/core/TwoWayConverter; @@ -1198,14 +1514,18 @@ HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$1;->invoke(L Landroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V -HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; +HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->()V +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->invoke--gyyYBs(J)Landroidx/compose/animation/core/AnimationVector2D; Landroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->()V +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->invoke-Bjo55l4(Landroidx/compose/animation/core/AnimationVector2D;)J Landroidx/compose/animation/core/VectorConvertersKt$IntSizeToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntSizeToVector$1;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntSizeToVector$1;->()V @@ -1241,24 +1561,27 @@ Landroidx/compose/animation/core/VectorConvertersKt$SizeToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$SizeToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$SizeToVector$2;->()V Landroidx/compose/animation/core/VectorizedAnimationSpec; -HPLandroidx/compose/animation/core/VectorizedAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/VectorizedAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedAnimationSpecKt; -HSPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->access$clampPlayTime(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;J)J PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->access$createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->clampPlayTime(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;J)J PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; HSPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->getValueFromMillis(Landroidx/compose/animation/core/VectorizedAnimationSpec;JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->(Landroidx/compose/animation/core/AnimationVector;FF)V +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatSpringSpec; PLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$2;->(FF)V PLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$2;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; PLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$2;->get(I)Landroidx/compose/animation/core/FloatSpringSpec; Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec; Landroidx/compose/animation/core/VectorizedFiniteAnimationSpec; +PLandroidx/compose/animation/core/VectorizedFiniteAnimationSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedFloatAnimationSpec; HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->()V HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->(Landroidx/compose/animation/core/Animations;)V HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->(Landroidx/compose/animation/core/FloatAnimationSpec;)V -PLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J -PLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J +HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedFloatAnimationSpec$1; @@ -1266,11 +1589,11 @@ HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->(Land HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->()V -HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V +HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->repetitionPlayTimeNanos(J)J HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->repetitionStartVelocity(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedKeyframesSpec; @@ -1278,20 +1601,23 @@ HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->()V HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->(Ljava/util/Map;II)V HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDelayMillis()I HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDurationMillis()I -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->init(Landroidx/compose/animation/core/AnimationVector;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->()V PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/AnimationVector;)V -PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J PLandroidx/compose/animation/core/VectorizedSpringSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedTweenSpec; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->()V -HPLandroidx/compose/animation/core/VectorizedTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V +HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDelayMillis()I HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDurationMillis()I -HPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VisibilityThresholdsKt; HSPLandroidx/compose/animation/core/VisibilityThresholdsKt;->()V @@ -1322,6 +1648,7 @@ Landroidx/compose/foundation/AbstractClickablePointerInputNode$delayPressInterac HSPLandroidx/compose/foundation/AbstractClickablePointerInputNode$delayPressInteraction$1;->(Landroidx/compose/foundation/AbstractClickablePointerInputNode;)V Landroidx/compose/foundation/AbstractClickablePointerInputNode$pointerInputNode$1; HSPLandroidx/compose/foundation/AbstractClickablePointerInputNode$pointerInputNode$1;->(Landroidx/compose/foundation/AbstractClickablePointerInputNode;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->()V HPLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->(Landroid/content/Context;Landroidx/compose/foundation/OverscrollConfiguration;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->access$animateToRelease(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->access$getBottomEffect$p(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;)Landroid/widget/EdgeEffect; @@ -1338,28 +1665,29 @@ PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->access$setCont PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->animateToRelease()V HPLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->drawOverscroll(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->getEffectModifier()Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->getInvalidateCount()I PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->invalidateOverscroll()V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$effectModifier$1;->(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$onNewSize$1;->(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$onNewSize$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$onNewSize$1;->invoke-ozmzZPI(J)V -PLandroidx/compose/foundation/AndroidOverscrollKt;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt;->access$getStretchOverscrollNonClippingLayer$p()Landroidx/compose/ui/Modifier; -HPLandroidx/compose/foundation/AndroidOverscrollKt;->rememberOverscrollEffect(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/OverscrollEffect; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1$1;->(Landroidx/compose/ui/layout/Placeable;I)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2$1;->(Landroidx/compose/ui/layout/Placeable;I)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt;->access$getStretchOverscrollNonClippingLayer$p()Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/AndroidOverscroll_androidKt;->rememberOverscrollEffect(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/OverscrollEffect; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->(Landroidx/compose/ui/layout/Placeable;I)V +HPLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2$1;->(Landroidx/compose/ui/layout/Placeable;I)V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/Api31Impl;->()V PLandroidx/compose/foundation/Api31Impl;->()V PLandroidx/compose/foundation/Api31Impl;->create(Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/widget/EdgeEffect; @@ -1372,7 +1700,6 @@ HPLandroidx/compose/foundation/BackgroundElement;->create()Landroidx/compose/fou HPLandroidx/compose/foundation/BackgroundElement;->create()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/foundation/BackgroundElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/BackgroundKt; -PLandroidx/compose/foundation/BackgroundKt;->background-bw27NRU$default(Landroidx/compose/ui/Modifier;JLandroidx/compose/ui/graphics/Shape;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/BackgroundKt;->background-bw27NRU(Landroidx/compose/ui/Modifier;JLandroidx/compose/ui/graphics/Shape;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/BackgroundNode; HPLandroidx/compose/foundation/BackgroundNode;->(JLandroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/Shape;)V @@ -1381,7 +1708,7 @@ HPLandroidx/compose/foundation/BackgroundNode;->draw(Landroidx/compose/ui/graphi HPLandroidx/compose/foundation/BackgroundNode;->drawOutline(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V HPLandroidx/compose/foundation/BackgroundNode;->drawRect(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/foundation/CanvasKt; -HPLandroidx/compose/foundation/CanvasKt;->Canvas(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/foundation/CanvasKt;->Canvas(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/CheckScrollableContainerConstraintsKt;->checkScrollableContainerConstraints-K40F9xA(JLandroidx/compose/foundation/gestures/Orientation;)V Landroidx/compose/foundation/ClickableElement; HPLandroidx/compose/foundation/ClickableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)V @@ -1394,14 +1721,20 @@ HSPLandroidx/compose/foundation/ClickableKt;->clickable-O2vRcR0$default(Landroid HPLandroidx/compose/foundation/ClickableKt;->clickable-O2vRcR0(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/Indication;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/ClickableKt;->clickable-XHw0xAI$default(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/ClickableKt;->clickable-XHw0xAI(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt;->combinedClickable-XVZzFYc(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/Indication;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt;->combinedClickable-cJG_KMw$default(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt;->combinedClickable-cJG_KMw(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/ClickableKt$clickable$2;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/ClickableKt$clickable$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/ClickableKt$clickable$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/ClickableKt$combinedClickable$2;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V +HPLandroidx/compose/foundation/ClickableKt$combinedClickable$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt$combinedClickable$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/ClickableNode; HPLandroidx/compose/foundation/ClickableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/foundation/ClickableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/foundation/ClickablePointerInputNode; -HPLandroidx/compose/foundation/ClickablePointerInputNode;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/AbstractClickableNode$InteractionData;)V +HSPLandroidx/compose/foundation/ClickablePointerInputNode;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/AbstractClickableNode$InteractionData;)V Landroidx/compose/foundation/ClickableSemanticsNode; HPLandroidx/compose/foundation/ClickableSemanticsNode;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/foundation/ClickableSemanticsNode;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -1411,6 +1744,13 @@ PLandroidx/compose/foundation/ClipScrollableContainerKt;->getMaxSupportedElevati PLandroidx/compose/foundation/ClipScrollableContainerKt$HorizontalScrollableClipModifier$1;->()V PLandroidx/compose/foundation/ClipScrollableContainerKt$VerticalScrollableClipModifier$1;->()V PLandroidx/compose/foundation/ClipScrollableContainerKt$VerticalScrollableClipModifier$1;->createOutline-Pq9zytI(JLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)Landroidx/compose/ui/graphics/Outline; +PLandroidx/compose/foundation/CombinedClickableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V +PLandroidx/compose/foundation/CombinedClickableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/CombinedClickableElement;->create()Landroidx/compose/foundation/CombinedClickableNodeImpl; +PLandroidx/compose/foundation/CombinedClickableElement;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/foundation/CombinedClickableNodeImpl;->(Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;)V +PLandroidx/compose/foundation/CombinedClickableNodeImpl;->(Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/CombinedClickablePointerInputNode;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/AbstractClickableNode$InteractionData;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V Landroidx/compose/foundation/DarkThemeKt; HSPLandroidx/compose/foundation/DarkThemeKt;->isSystemInDarkTheme(Landroidx/compose/runtime/Composer;I)Z Landroidx/compose/foundation/DarkTheme_androidKt; @@ -1435,7 +1775,6 @@ HSPLandroidx/compose/foundation/FocusableInteractionNode;->(Landroidx/comp HSPLandroidx/compose/foundation/FocusableInteractionNode;->setFocus(Z)V Landroidx/compose/foundation/FocusableKt; HSPLandroidx/compose/foundation/FocusableKt;->()V -PLandroidx/compose/foundation/FocusableKt;->focusGroup(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/FocusableKt;->focusable(Landroidx/compose/ui/Modifier;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/FocusableKt;->focusableInNonTouchMode(Landroidx/compose/ui/Modifier;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1; @@ -1443,17 +1782,13 @@ HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->< HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->create()Landroidx/compose/foundation/FocusableInNonTouchMode; HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->equals(Ljava/lang/Object;)Z -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->()V -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->()V -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->invoke(Landroidx/compose/ui/focus/FocusProperties;)V -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/FocusableKt$focusableInNonTouchMode$1; HPLandroidx/compose/foundation/FocusableKt$focusableInNonTouchMode$1;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;)V Landroidx/compose/foundation/FocusableNode; HPLandroidx/compose/foundation/FocusableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/FocusableNode;->onFocusEvent(Landroidx/compose/ui/focus/FocusState;)V -HSPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V -HPLandroidx/compose/foundation/FocusableNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/FocusableNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V Landroidx/compose/foundation/FocusablePinnableContainerNode; HSPLandroidx/compose/foundation/FocusablePinnableContainerNode;->()V PLandroidx/compose/foundation/FocusablePinnableContainerNode;->onReset()V @@ -1463,26 +1798,25 @@ HPLandroidx/compose/foundation/FocusableSemanticsNode;->()V HSPLandroidx/compose/foundation/FocusableSemanticsNode;->setFocus(Z)V PLandroidx/compose/foundation/FocusedBoundsKt;->()V PLandroidx/compose/foundation/FocusedBoundsKt;->getModifierLocalFocusedBoundsObserver()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -PLandroidx/compose/foundation/FocusedBoundsKt;->onFocusedBoundsChanged(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/FocusedBoundsKt$ModifierLocalFocusedBoundsObserver$1;->()V PLandroidx/compose/foundation/FocusedBoundsKt$ModifierLocalFocusedBoundsObserver$1;->()V Landroidx/compose/foundation/FocusedBoundsNode; +HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V -HSPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HSPLandroidx/compose/foundation/FocusedBoundsNode;->setFocus(Z)V -PLandroidx/compose/foundation/FocusedBoundsObserverElement;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/foundation/FocusedBoundsObserverElement;->create()Landroidx/compose/foundation/FocusedBoundsObserverNode; -PLandroidx/compose/foundation/FocusedBoundsObserverElement;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/foundation/FocusedBoundsObserverNode;->()V PLandroidx/compose/foundation/FocusedBoundsObserverNode;->(Lkotlin/jvm/functions/Function1;)V +PLandroidx/compose/foundation/FocusedBoundsObserverNode$focusBoundsObserver$1;->(Landroidx/compose/foundation/FocusedBoundsObserverNode;)V Landroidx/compose/foundation/HoverableElement; -HPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HSPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/foundation/HoverableNode; HSPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/HoverableElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/HoverableKt; HPLandroidx/compose/foundation/HoverableKt;->hoverable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Z)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/HoverableNode; -HPLandroidx/compose/foundation/HoverableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HSPLandroidx/compose/foundation/HoverableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V PLandroidx/compose/foundation/HoverableNode;->onDetach()V PLandroidx/compose/foundation/HoverableNode;->tryEmitExit()V Landroidx/compose/foundation/Indication; @@ -1517,39 +1851,77 @@ PLandroidx/compose/foundation/OverscrollConfiguration;->(JLandroidx/compos PLandroidx/compose/foundation/OverscrollConfiguration;->(JLandroidx/compose/foundation/layout/PaddingValues;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/OverscrollConfiguration;->(JLandroidx/compose/foundation/layout/PaddingValues;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/OverscrollConfiguration;->getGlowColor-0d7_KjU()J -PLandroidx/compose/foundation/OverscrollConfigurationKt;->()V -PLandroidx/compose/foundation/OverscrollConfigurationKt;->getLocalOverscrollConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->()V -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->()V -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->invoke()Landroidx/compose/foundation/OverscrollConfiguration; -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->invoke()Ljava/lang/Object; +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt;->()V +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt;->getLocalOverscrollConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->()V +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->()V +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->invoke()Landroidx/compose/foundation/OverscrollConfiguration; +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->invoke()Ljava/lang/Object; PLandroidx/compose/foundation/OverscrollKt;->overscroll(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/OverscrollEffect;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/ProgressSemanticsKt; HSPLandroidx/compose/foundation/ProgressSemanticsKt;->progressSemantics(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/ProgressSemanticsKt$progressSemantics$2; HSPLandroidx/compose/foundation/ProgressSemanticsKt$progressSemantics$2;->()V HSPLandroidx/compose/foundation/ProgressSemanticsKt$progressSemantics$2;->()V +Landroidx/compose/foundation/gestures/AbstractDragScope; +Landroidx/compose/foundation/gestures/AbstractDraggableNode; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->()V +HPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->(Lkotlin/jvm/functions/Function1;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V +PLandroidx/compose/foundation/gestures/AbstractDraggableNode;->disposeInteractionSource()V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->getEnabled()Z +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->getInteractionSource()Landroidx/compose/foundation/interaction/MutableInteractionSource; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->getReverseDirection()Z +PLandroidx/compose/foundation/gestures/AbstractDraggableNode;->onDetach()V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setCanDrag(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setOnDragStarted(Lkotlin/jvm/functions/Function3;)V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setOnDragStopped(Lkotlin/jvm/functions/Function3;)V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setStartDragImmediately(Lkotlin/jvm/functions/Function0;)V +Landroidx/compose/foundation/gestures/AbstractDraggableNode$_canDrag$1; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode$_canDrag$1;->(Landroidx/compose/foundation/gestures/AbstractDraggableNode;)V +Landroidx/compose/foundation/gestures/AbstractDraggableNode$_startDragImmediately$1; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode$_startDragImmediately$1;->(Landroidx/compose/foundation/gestures/AbstractDraggableNode;)V +Landroidx/compose/foundation/gestures/AbstractDraggableNode$pointerInputNode$1; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode$pointerInputNode$1;->(Landroidx/compose/foundation/gestures/AbstractDraggableNode;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/foundation/gestures/AndroidConfig;->()V PLandroidx/compose/foundation/gestures/AndroidConfig;->()V -PLandroidx/compose/foundation/gestures/AndroidScrollable_androidKt;->platformScrollConfig(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/gestures/ScrollConfig; +PLandroidx/compose/foundation/gestures/AndroidScrollable_androidKt;->platformScrollConfig(Landroidx/compose/ui/node/CompositionLocalConsumerModifierNode;)Landroidx/compose/foundation/gestures/ScrollConfig; +PLandroidx/compose/foundation/gestures/BringIntoViewRequestPriorityQueue;->()V PLandroidx/compose/foundation/gestures/BringIntoViewRequestPriorityQueue;->()V -HPLandroidx/compose/foundation/gestures/ContentInViewModifier;->(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/gestures/ScrollableState;Z)V -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->compareTo-TemP2vQ(JJ)I -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->getModifier()Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->onRemeasured-ozmzZPI(J)V -PLandroidx/compose/foundation/gestures/ContentInViewModifier$WhenMappings;->()V -PLandroidx/compose/foundation/gestures/ContentInViewModifier$modifier$1;->(Landroidx/compose/foundation/gestures/ContentInViewModifier;)V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->getDefaultBringIntoViewSpec$foundation_release()Landroidx/compose/foundation/gestures/BringIntoViewSpec; +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->getDefaultScrollAnimationSpec()Landroidx/compose/animation/core/AnimationSpec; +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion$DefaultBringIntoViewSpec$1;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion$DefaultBringIntoViewSpec$1;->getScrollAnimationSpec()Landroidx/compose/animation/core/AnimationSpec; +PLandroidx/compose/foundation/gestures/ContentInViewNode;->()V +PLandroidx/compose/foundation/gestures/ContentInViewNode;->(Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/gestures/ScrollableState;ZLandroidx/compose/foundation/gestures/BringIntoViewSpec;)V +PLandroidx/compose/foundation/gestures/ContentInViewNode;->compareTo-TemP2vQ(JJ)I +PLandroidx/compose/foundation/gestures/ContentInViewNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V +PLandroidx/compose/foundation/gestures/ContentInViewNode;->onRemeasured-ozmzZPI(J)V +PLandroidx/compose/foundation/gestures/ContentInViewNode$WhenMappings;->()V Landroidx/compose/foundation/gestures/DefaultDraggableState; HSPLandroidx/compose/foundation/gestures/DefaultDraggableState;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/foundation/gestures/DefaultDraggableState$dragScope$1; HSPLandroidx/compose/foundation/gestures/DefaultDraggableState$dragScope$1;->(Landroidx/compose/foundation/gestures/DefaultDraggableState;)V +PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->()V PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->(Landroidx/compose/animation/core/DecayAnimationSpec;Landroidx/compose/ui/MotionDurationScale;)V PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->(Landroidx/compose/animation/core/DecayAnimationSpec;Landroidx/compose/ui/MotionDurationScale;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->setFlingDecay(Landroidx/compose/animation/core/DecayAnimationSpec;)V PLandroidx/compose/foundation/gestures/DefaultScrollableState;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/foundation/gestures/DefaultScrollableState$scrollScope$1;->(Landroidx/compose/foundation/gestures/DefaultScrollableState;)V +Landroidx/compose/foundation/gestures/DragGestureDetectorKt; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt;->()V +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt;->toPointerDirectionConfig(Landroidx/compose/foundation/gestures/Orientation;)Landroidx/compose/foundation/gestures/PointerDirectionConfig; +Landroidx/compose/foundation/gestures/DragGestureDetectorKt$BidirectionalPointerDirectionConfig$1; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt$BidirectionalPointerDirectionConfig$1;->()V +Landroidx/compose/foundation/gestures/DragGestureDetectorKt$HorizontalPointerDirectionConfig$1; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt$HorizontalPointerDirectionConfig$1;->()V +Landroidx/compose/foundation/gestures/DragGestureDetectorKt$VerticalPointerDirectionConfig$1; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt$VerticalPointerDirectionConfig$1;->()V Landroidx/compose/foundation/gestures/DragScope; Landroidx/compose/foundation/gestures/DraggableElement; +HSPLandroidx/compose/foundation/gestures/DraggableElement;->()V HPLandroidx/compose/foundation/gestures/DraggableElement;->(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V HSPLandroidx/compose/foundation/gestures/DraggableElement;->create()Landroidx/compose/foundation/gestures/DraggableNode; HSPLandroidx/compose/foundation/gestures/DraggableElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -1557,10 +1929,14 @@ HPLandroidx/compose/foundation/gestures/DraggableElement;->equals(Ljava/lang/Obj HPLandroidx/compose/foundation/gestures/DraggableElement;->update(Landroidx/compose/foundation/gestures/DraggableNode;)V HSPLandroidx/compose/foundation/gestures/DraggableElement;->update(Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/foundation/gestures/DraggableKt; +HSPLandroidx/compose/foundation/gestures/DraggableKt;->()V HSPLandroidx/compose/foundation/gestures/DraggableKt;->DraggableState(Lkotlin/jvm/functions/Function1;)Landroidx/compose/foundation/gestures/DraggableState; +HSPLandroidx/compose/foundation/gestures/DraggableKt;->access$getNoOpDragScope$p()Landroidx/compose/foundation/gestures/DragScope; HSPLandroidx/compose/foundation/gestures/DraggableKt;->draggable$default(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/DraggableState;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;ZLkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;ZILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/gestures/DraggableKt;->draggable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/DraggableState;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;ZLkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/gestures/DraggableKt;->rememberDraggableState(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/gestures/DraggableState; +Landroidx/compose/foundation/gestures/DraggableKt$NoOpDragScope$1; +HSPLandroidx/compose/foundation/gestures/DraggableKt$NoOpDragScope$1;->()V Landroidx/compose/foundation/gestures/DraggableKt$draggable$1; HSPLandroidx/compose/foundation/gestures/DraggableKt$draggable$1;->(Lkotlin/coroutines/Continuation;)V Landroidx/compose/foundation/gestures/DraggableKt$draggable$3; @@ -1573,62 +1949,67 @@ HSPLandroidx/compose/foundation/gestures/DraggableKt$draggable$5;->(Lkotli Landroidx/compose/foundation/gestures/DraggableKt$rememberDraggableState$1$1; HSPLandroidx/compose/foundation/gestures/DraggableKt$rememberDraggableState$1$1;->(Landroidx/compose/runtime/State;)V Landroidx/compose/foundation/gestures/DraggableNode; -HPLandroidx/compose/foundation/gestures/DraggableNode;->(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V -PLandroidx/compose/foundation/gestures/DraggableNode;->disposeInteractionSource()V -PLandroidx/compose/foundation/gestures/DraggableNode;->onDetach()V +HSPLandroidx/compose/foundation/gestures/DraggableNode;->()V +HSPLandroidx/compose/foundation/gestures/DraggableNode;->(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V HPLandroidx/compose/foundation/gestures/DraggableNode;->update(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V -Landroidx/compose/foundation/gestures/DraggableNode$_canDrag$1; -HSPLandroidx/compose/foundation/gestures/DraggableNode$_canDrag$1;->(Landroidx/compose/foundation/gestures/DraggableNode;)V -Landroidx/compose/foundation/gestures/DraggableNode$_startDragImmediately$1; -HSPLandroidx/compose/foundation/gestures/DraggableNode$_startDragImmediately$1;->(Landroidx/compose/foundation/gestures/DraggableNode;)V -Landroidx/compose/foundation/gestures/DraggableNode$pointerInputNode$1; -HSPLandroidx/compose/foundation/gestures/DraggableNode$pointerInputNode$1;->(Landroidx/compose/foundation/gestures/DraggableNode;Lkotlin/coroutines/Continuation;)V +Landroidx/compose/foundation/gestures/DraggableNode$abstractDragScope$1; +HSPLandroidx/compose/foundation/gestures/DraggableNode$abstractDragScope$1;->(Landroidx/compose/foundation/gestures/DraggableNode;)V Landroidx/compose/foundation/gestures/DraggableState; -PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->()V -PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->()V -PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->getKey()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -PLandroidx/compose/foundation/gestures/MouseWheelScrollElement;->(Landroidx/compose/runtime/State;Landroidx/compose/foundation/gestures/ScrollConfig;)V -PLandroidx/compose/foundation/gestures/MouseWheelScrollElement;->create()Landroidx/compose/foundation/gestures/MouseWheelScrollNode; -PLandroidx/compose/foundation/gestures/MouseWheelScrollElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/foundation/gestures/MouseWheelScrollNode;->(Landroidx/compose/runtime/State;Landroidx/compose/foundation/gestures/ScrollConfig;)V -PLandroidx/compose/foundation/gestures/MouseWheelScrollNode$pointerInputNode$1;->(Landroidx/compose/foundation/gestures/MouseWheelScrollNode;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->(Z)V +PLandroidx/compose/foundation/gestures/MouseWheelScrollNode;->(Landroidx/compose/foundation/gestures/ScrollingLogic;)V +PLandroidx/compose/foundation/gestures/MouseWheelScrollNode;->onAttach()V +PLandroidx/compose/foundation/gestures/MouseWheelScrollNode$1;->(Landroidx/compose/foundation/gestures/MouseWheelScrollNode;Lkotlin/coroutines/Continuation;)V Landroidx/compose/foundation/gestures/Orientation; HSPLandroidx/compose/foundation/gestures/Orientation;->$values()[Landroidx/compose/foundation/gestures/Orientation; HSPLandroidx/compose/foundation/gestures/Orientation;->()V HSPLandroidx/compose/foundation/gestures/Orientation;->(Ljava/lang/String;I)V PLandroidx/compose/foundation/gestures/Orientation;->values()[Landroidx/compose/foundation/gestures/Orientation; -PLandroidx/compose/foundation/gestures/ScrollDraggableState;->(Landroidx/compose/runtime/State;)V +Landroidx/compose/foundation/gestures/PointerDirectionConfig; +PLandroidx/compose/foundation/gestures/ScrollDraggableState;->(Landroidx/compose/foundation/gestures/ScrollingLogic;)V PLandroidx/compose/foundation/gestures/ScrollableDefaults;->()V PLandroidx/compose/foundation/gestures/ScrollableDefaults;->()V +PLandroidx/compose/foundation/gestures/ScrollableDefaults;->bringIntoViewSpec()Landroidx/compose/foundation/gestures/BringIntoViewSpec; PLandroidx/compose/foundation/gestures/ScrollableDefaults;->flingBehavior(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/gestures/FlingBehavior; PLandroidx/compose/foundation/gestures/ScrollableDefaults;->overscrollEffect(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/OverscrollEffect; PLandroidx/compose/foundation/gestures/ScrollableDefaults;->reverseDirection(Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/foundation/gestures/Orientation;Z)Z +PLandroidx/compose/foundation/gestures/ScrollableElement;->(Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;)V +PLandroidx/compose/foundation/gestures/ScrollableElement;->create()Landroidx/compose/foundation/gestures/ScrollableNode; +PLandroidx/compose/foundation/gestures/ScrollableElement;->create()Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/foundation/gestures/ScrollableGesturesNode;->(Landroidx/compose/foundation/gestures/ScrollingLogic;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +PLandroidx/compose/foundation/gestures/ScrollableGesturesNode$onDragStopped$1;->(Landroidx/compose/foundation/gestures/ScrollableGesturesNode;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/gestures/ScrollableGesturesNode$startDragImmediately$1;->(Landroidx/compose/foundation/gestures/ScrollableGesturesNode;)V PLandroidx/compose/foundation/gestures/ScrollableKt;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getCanDragCalculation$p()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getNoOpOnDragStarted$p()Lkotlin/jvm/functions/Function3; PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getNoOpScrollScope$p()Landroidx/compose/foundation/gestures/ScrollScope; -PLandroidx/compose/foundation/gestures/ScrollableKt;->access$pointerScrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt;->access$scrollableNestedScrollConnection(Landroidx/compose/runtime/State;Z)Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection; +PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getUnityDensity$p()Landroidx/compose/foundation/gestures/ScrollableKt$UnityDensity$1; PLandroidx/compose/foundation/gestures/ScrollableKt;->getDefaultScrollMotionDurationScale()Landroidx/compose/ui/MotionDurationScale; PLandroidx/compose/foundation/gestures/ScrollableKt;->getModifierLocalScrollableContainer()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -HPLandroidx/compose/foundation/gestures/ScrollableKt;->pointerScrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollableNestedScrollConnection(Landroidx/compose/runtime/State;Z)Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection; +PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollable$default(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/gestures/ScrollableKt$CanDragCalculation$1;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt$CanDragCalculation$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$DefaultScrollMotionDurationScale$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$ModifierLocalScrollableContainer$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$ModifierLocalScrollableContainer$1;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt$NoOpFlingBehavior$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$NoOpOnDragStarted$1;->(Lkotlin/coroutines/Continuation;)V PLandroidx/compose/foundation/gestures/ScrollableKt$NoOpScrollScope$1;->()V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$1;->()V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$1;->()V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$2$1;->(Landroidx/compose/runtime/State;)V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$3$1;->(Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/State;Lkotlin/coroutines/Continuation;)V -PLandroidx/compose/foundation/gestures/ScrollableKt$scrollable$2;->(Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/gestures/ScrollableState;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;Z)V -HPLandroidx/compose/foundation/gestures/ScrollableKt$scrollable$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt$scrollable$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/gestures/ScrollableKt$scrollableNestedScrollConnection$1;->(Landroidx/compose/runtime/State;Z)V +PLandroidx/compose/foundation/gestures/ScrollableKt$UnityDensity$1;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt$UnityDensity$1;->getDensity()F +PLandroidx/compose/foundation/gestures/ScrollableNestedScrollConnection;->(Landroidx/compose/foundation/gestures/ScrollingLogic;Z)V +HPLandroidx/compose/foundation/gestures/ScrollableNode;->(Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;)V +PLandroidx/compose/foundation/gestures/ScrollableNode;->applyFocusProperties(Landroidx/compose/ui/focus/FocusProperties;)V +PLandroidx/compose/foundation/gestures/ScrollableNode;->onAttach()V +PLandroidx/compose/foundation/gestures/ScrollableNode;->updateDefaultFlingBehavior()V +PLandroidx/compose/foundation/gestures/ScrollableNode$1;->(Landroidx/compose/foundation/gestures/ScrollableNode;)V +PLandroidx/compose/foundation/gestures/ScrollableNode$onAttach$1;->(Landroidx/compose/foundation/gestures/ScrollableNode;)V +PLandroidx/compose/foundation/gestures/ScrollableNode$onAttach$1;->invoke()Ljava/lang/Object; +PLandroidx/compose/foundation/gestures/ScrollableNode$onAttach$1;->invoke()V PLandroidx/compose/foundation/gestures/ScrollableStateKt;->ScrollableState(Lkotlin/jvm/functions/Function1;)Landroidx/compose/foundation/gestures/ScrollableState; -PLandroidx/compose/foundation/gestures/ScrollingLogic;->(Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/runtime/State;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;)V +PLandroidx/compose/foundation/gestures/ScrollingLogic;->(Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V PLandroidx/compose/foundation/gestures/UpdatableAnimationState;->()V -PLandroidx/compose/foundation/gestures/UpdatableAnimationState;->()V +PLandroidx/compose/foundation/gestures/UpdatableAnimationState;->(Landroidx/compose/animation/core/AnimationSpec;)V PLandroidx/compose/foundation/gestures/UpdatableAnimationState$Companion;->()V PLandroidx/compose/foundation/gestures/UpdatableAnimationState$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/foundation/interaction/InteractionSource; @@ -1640,14 +2021,15 @@ HPLandroidx/compose/foundation/interaction/MutableInteractionSourceImpl;-> HSPLandroidx/compose/foundation/interaction/MutableInteractionSourceImpl;->getInteractions()Lkotlinx/coroutines/flow/Flow; HSPLandroidx/compose/foundation/interaction/MutableInteractionSourceImpl;->getInteractions()Lkotlinx/coroutines/flow/MutableSharedFlow; Landroidx/compose/foundation/layout/AndroidWindowInsets; +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->()V HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->(ILjava/lang/String;)V -PLandroidx/compose/foundation/layout/AndroidWindowInsets;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getInsets$foundation_layout_release()Landroidx/core/graphics/Insets; -HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I -HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getTop(Landroidx/compose/ui/unit/Density;)I -HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->setInsets$foundation_layout_release(Landroidx/core/graphics/Insets;)V +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->setInsets$foundation_layout_release(Landroidx/core/graphics/Insets;)V HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->setVisible(Z)V HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->update$foundation_layout_release(Landroidx/core/view/WindowInsetsCompat;I)V Landroidx/compose/foundation/layout/Arrangement; @@ -1657,10 +2039,10 @@ HSPLandroidx/compose/foundation/layout/Arrangement;->getCenter()Landroidx/compos HSPLandroidx/compose/foundation/layout/Arrangement;->getEnd()Landroidx/compose/foundation/layout/Arrangement$Horizontal; PLandroidx/compose/foundation/layout/Arrangement;->getSpaceEvenly()Landroidx/compose/foundation/layout/Arrangement$HorizontalOrVertical; HSPLandroidx/compose/foundation/layout/Arrangement;->getStart()Landroidx/compose/foundation/layout/Arrangement$Horizontal; -PLandroidx/compose/foundation/layout/Arrangement;->getTop()Landroidx/compose/foundation/layout/Arrangement$Vertical; -HPLandroidx/compose/foundation/layout/Arrangement;->placeLeftOrTop$foundation_layout_release([I[IZ)V +HPLandroidx/compose/foundation/layout/Arrangement;->getTop()Landroidx/compose/foundation/layout/Arrangement$Vertical; +PLandroidx/compose/foundation/layout/Arrangement;->placeLeftOrTop$foundation_layout_release([I[IZ)V HSPLandroidx/compose/foundation/layout/Arrangement;->placeRightOrBottom$foundation_layout_release(I[I[IZ)V -HPLandroidx/compose/foundation/layout/Arrangement;->placeSpaceEvenly$foundation_layout_release(I[I[IZ)V +PLandroidx/compose/foundation/layout/Arrangement;->placeSpaceEvenly$foundation_layout_release(I[I[IZ)V HSPLandroidx/compose/foundation/layout/Arrangement;->spacedBy-0680j_4(F)Landroidx/compose/foundation/layout/Arrangement$HorizontalOrVertical; Landroidx/compose/foundation/layout/Arrangement$Bottom$1; HSPLandroidx/compose/foundation/layout/Arrangement$Bottom$1;->()V @@ -1668,7 +2050,7 @@ Landroidx/compose/foundation/layout/Arrangement$Center$1; HSPLandroidx/compose/foundation/layout/Arrangement$Center$1;->()V Landroidx/compose/foundation/layout/Arrangement$End$1; HSPLandroidx/compose/foundation/layout/Arrangement$End$1;->()V -HPLandroidx/compose/foundation/layout/Arrangement$End$1;->arrange(Landroidx/compose/ui/unit/Density;I[ILandroidx/compose/ui/unit/LayoutDirection;[I)V +HSPLandroidx/compose/foundation/layout/Arrangement$End$1;->arrange(Landroidx/compose/ui/unit/Density;I[ILandroidx/compose/ui/unit/LayoutDirection;[I)V Landroidx/compose/foundation/layout/Arrangement$Horizontal; HSPLandroidx/compose/foundation/layout/Arrangement$Horizontal;->getSpacing-D9Ej5fM()F Landroidx/compose/foundation/layout/Arrangement$HorizontalOrVertical; @@ -1678,9 +2060,10 @@ Landroidx/compose/foundation/layout/Arrangement$SpaceBetween$1; HSPLandroidx/compose/foundation/layout/Arrangement$SpaceBetween$1;->()V Landroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1; HSPLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->()V -HPLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V +PLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V PLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->getSpacing-D9Ej5fM()F Landroidx/compose/foundation/layout/Arrangement$SpacedAligned; +HSPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->()V HSPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->(FZLkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->(FZLkotlin/jvm/functions/Function2;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->arrange(Landroidx/compose/ui/unit/Density;I[ILandroidx/compose/ui/unit/LayoutDirection;[I)V @@ -1690,7 +2073,7 @@ Landroidx/compose/foundation/layout/Arrangement$Start$1; HSPLandroidx/compose/foundation/layout/Arrangement$Start$1;->()V Landroidx/compose/foundation/layout/Arrangement$Top$1; HSPLandroidx/compose/foundation/layout/Arrangement$Top$1;->()V -HPLandroidx/compose/foundation/layout/Arrangement$Top$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V +PLandroidx/compose/foundation/layout/Arrangement$Top$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V Landroidx/compose/foundation/layout/Arrangement$Vertical; PLandroidx/compose/foundation/layout/Arrangement$Vertical;->getSpacing-D9Ej5fM()F Landroidx/compose/foundation/layout/Arrangement$spacedBy$1; @@ -1710,36 +2093,42 @@ HSPLandroidx/compose/foundation/layout/BoxKt;->()V HPLandroidx/compose/foundation/layout/BoxKt;->Box(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/foundation/layout/BoxKt;->access$getMatchesParentSize(Landroidx/compose/ui/layout/Measurable;)Z HPLandroidx/compose/foundation/layout/BoxKt;->access$placeInBox(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/unit/LayoutDirection;IILandroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt;->boxMeasurePolicy(Landroidx/compose/ui/Alignment;Z)Landroidx/compose/ui/layout/MeasurePolicy; HPLandroidx/compose/foundation/layout/BoxKt;->getBoxChildDataNode(Landroidx/compose/ui/layout/Measurable;)Landroidx/compose/foundation/layout/BoxChildDataNode; HPLandroidx/compose/foundation/layout/BoxKt;->getMatchesParentSize(Landroidx/compose/ui/layout/Measurable;)Z HPLandroidx/compose/foundation/layout/BoxKt;->placeInBox(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/unit/LayoutDirection;IILandroidx/compose/ui/Alignment;)V HPLandroidx/compose/foundation/layout/BoxKt;->rememberBoxMeasurePolicy(Landroidx/compose/ui/Alignment;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/layout/MeasurePolicy; +Landroidx/compose/foundation/layout/BoxKt$Box$$inlined$Layout$1; +HSPLandroidx/compose/foundation/layout/BoxKt$Box$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/foundation/layout/BoxKt$Box$$inlined$Layout$1;->invoke()Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxKt$Box$2; +HSPLandroidx/compose/foundation/layout/BoxKt$Box$2;->(Landroidx/compose/ui/Modifier;I)V Landroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1; HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1;->()V HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1;->()V HPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1; -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1; -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1;->(ZLandroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1; -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2; -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/layout/MeasureScope;IILandroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5; -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5;->([Landroidx/compose/ui/layout/Placeable;Ljava/util/List;Landroidx/compose/ui/layout/MeasureScope;Lkotlin/jvm/internal/Ref$IntRef;Lkotlin/jvm/internal/Ref$IntRef;Landroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1; +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->()V +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->()V +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxMeasurePolicy; +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->(Landroidx/compose/ui/Alignment;Z)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->access$getAlignment$p(Landroidx/compose/foundation/layout/BoxMeasurePolicy;)Landroidx/compose/ui/Alignment; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2; +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/layout/MeasureScope;IILandroidx/compose/foundation/layout/BoxMeasurePolicy;)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5;->([Landroidx/compose/ui/layout/Placeable;Ljava/util/List;Landroidx/compose/ui/layout/MeasureScope;Lkotlin/jvm/internal/Ref$IntRef;Lkotlin/jvm/internal/Ref$IntRef;Landroidx/compose/foundation/layout/BoxMeasurePolicy;)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/BoxScope; Landroidx/compose/foundation/layout/BoxScopeInstance; HSPLandroidx/compose/foundation/layout/BoxScopeInstance;->()V @@ -1747,15 +2136,12 @@ HSPLandroidx/compose/foundation/layout/BoxScopeInstance;->()V PLandroidx/compose/foundation/layout/BoxScopeInstance;->align(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/Alignment;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/layout/ColumnKt;->()V HPLandroidx/compose/foundation/layout/ColumnKt;->columnMeasurePolicy(Landroidx/compose/foundation/layout/Arrangement$Vertical;Landroidx/compose/ui/Alignment$Horizontal;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/layout/MeasurePolicy; -PLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->()V -PLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->()V -HPLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->invoke(I[ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;[I)V -HPLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/layout/ColumnKt$columnMeasurePolicy$1$1;->(Landroidx/compose/foundation/layout/Arrangement$Vertical;)V -HPLandroidx/compose/foundation/layout/ColumnKt$columnMeasurePolicy$1$1;->invoke(I[ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;[I)V -HPLandroidx/compose/foundation/layout/ColumnKt$columnMeasurePolicy$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/layout/ColumnScopeInstance;->()V PLandroidx/compose/foundation/layout/ColumnScopeInstance;->()V +Landroidx/compose/foundation/layout/ConsumedInsetsModifier; +HSPLandroidx/compose/foundation/layout/ConsumedInsetsModifier;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/foundation/layout/ConsumedInsetsModifier;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/foundation/layout/ConsumedInsetsModifier;->onModifierLocalsUpdated(Landroidx/compose/ui/modifier/ModifierLocalReadScope;)V Landroidx/compose/foundation/layout/CrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment;->()V @@ -1766,25 +2152,25 @@ HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$CenterCrossAxisAlignme Landroidx/compose/foundation/layout/CrossAxisAlignment$Companion; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->horizontal$foundation_layout_release(Landroidx/compose/ui/Alignment$Horizontal;)Landroidx/compose/foundation/layout/CrossAxisAlignment; +PLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->horizontal$foundation_layout_release(Landroidx/compose/ui/Alignment$Horizontal;)Landroidx/compose/foundation/layout/CrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->vertical$foundation_layout_release(Landroidx/compose/ui/Alignment$Vertical;)Landroidx/compose/foundation/layout/CrossAxisAlignment; Landroidx/compose/foundation/layout/CrossAxisAlignment$EndCrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$EndCrossAxisAlignment;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$EndCrossAxisAlignment;->()V -HPLandroidx/compose/foundation/layout/CrossAxisAlignment$HorizontalCrossAxisAlignment;->(Landroidx/compose/ui/Alignment$Horizontal;)V +PLandroidx/compose/foundation/layout/CrossAxisAlignment$HorizontalCrossAxisAlignment;->(Landroidx/compose/ui/Alignment$Horizontal;)V HPLandroidx/compose/foundation/layout/CrossAxisAlignment$HorizontalCrossAxisAlignment;->align$foundation_layout_release(ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/layout/Placeable;I)I Landroidx/compose/foundation/layout/CrossAxisAlignment$StartCrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$StartCrossAxisAlignment;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$StartCrossAxisAlignment;->()V Landroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment;->(Landroidx/compose/ui/Alignment$Vertical;)V -HPLandroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment;->align$foundation_layout_release(ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/layout/Placeable;I)I +HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment;->align$foundation_layout_release(ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/layout/Placeable;I)I Landroidx/compose/foundation/layout/Direction; HSPLandroidx/compose/foundation/layout/Direction;->$values()[Landroidx/compose/foundation/layout/Direction; HSPLandroidx/compose/foundation/layout/Direction;->()V HSPLandroidx/compose/foundation/layout/Direction;->(Ljava/lang/String;I)V Landroidx/compose/foundation/layout/ExcludeInsets; -HPLandroidx/compose/foundation/layout/ExcludeInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/foundation/layout/ExcludeInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V PLandroidx/compose/foundation/layout/ExcludeInsets;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/foundation/layout/ExcludeInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I HPLandroidx/compose/foundation/layout/ExcludeInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I @@ -1812,45 +2198,49 @@ HPLandroidx/compose/foundation/layout/FillNode$measure$1;->invoke(Ljava/lang/Obj Landroidx/compose/foundation/layout/FixedIntInsets; HPLandroidx/compose/foundation/layout/FixedIntInsets;->(IIII)V HPLandroidx/compose/foundation/layout/FixedIntInsets;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/foundation/layout/FixedIntInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I -HPLandroidx/compose/foundation/layout/FixedIntInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I -HPLandroidx/compose/foundation/layout/FixedIntInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I +HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getTop(Landroidx/compose/ui/unit/Density;)I Landroidx/compose/foundation/layout/InsetsListener; HSPLandroidx/compose/foundation/layout/InsetsListener;->(Landroidx/compose/foundation/layout/WindowInsetsHolder;)V HSPLandroidx/compose/foundation/layout/InsetsListener;->onApplyWindowInsets(Landroid/view/View;Landroidx/core/view/WindowInsetsCompat;)Landroidx/core/view/WindowInsetsCompat; Landroidx/compose/foundation/layout/InsetsPaddingModifier; -HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->(Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->()V +HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->(Landroidx/compose/foundation/layout/WindowInsets;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->equals(Ljava/lang/Object;)Z PLandroidx/compose/foundation/layout/InsetsPaddingModifier;->getKey()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->getUnconsumedInsets()Landroidx/compose/foundation/layout/WindowInsets; +HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->getUnconsumedInsets()Landroidx/compose/foundation/layout/WindowInsets; HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->onModifierLocalsUpdated(Landroidx/compose/ui/modifier/ModifierLocalReadScope;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->setConsumedInsets(Landroidx/compose/foundation/layout/WindowInsets;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->setUnconsumedInsets(Landroidx/compose/foundation/layout/WindowInsets;)V Landroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1; -HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;II)V -HPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;II)V +HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/InsetsPaddingValues; -HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)V +HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateBottomPadding-D9Ej5fM()F HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateLeftPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateRightPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateTopPadding-D9Ej5fM()F Landroidx/compose/foundation/layout/InsetsValues; -HPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V +HSPLandroidx/compose/foundation/layout/InsetsValues;->()V +HSPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V HSPLandroidx/compose/foundation/layout/InsetsValues;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->$values()[Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->()V HSPLandroidx/compose/foundation/layout/LayoutOrientation;->(Ljava/lang/String;I)V Landroidx/compose/foundation/layout/LayoutWeightElement; +HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->()V HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->(FZ)V HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->create()Landroidx/compose/foundation/layout/LayoutWeightNode; HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutWeightNode; +HSPLandroidx/compose/foundation/layout/LayoutWeightNode;->()V HSPLandroidx/compose/foundation/layout/LayoutWeightNode;->(FZ)V HPLandroidx/compose/foundation/layout/LayoutWeightNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/LayoutWeightNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; @@ -1874,21 +2264,22 @@ HPLandroidx/compose/foundation/layout/PaddingElement;->(FFFFZLkotlin/jvm/f HSPLandroidx/compose/foundation/layout/PaddingElement;->(FFFFZLkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/PaddingElement;->create()Landroidx/compose/foundation/layout/PaddingNode; HSPLandroidx/compose/foundation/layout/PaddingElement;->create()Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/foundation/layout/PaddingElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/PaddingKt; PLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-0680j_4(F)Landroidx/compose/foundation/layout/PaddingValues; PLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-YgX7TsA$default(FFILjava/lang/Object;)Landroidx/compose/foundation/layout/PaddingValues; PLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-YgX7TsA(FF)Landroidx/compose/foundation/layout/PaddingValues; HSPLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-a9UjIt4(FFFF)Landroidx/compose/foundation/layout/PaddingValues; -HPLandroidx/compose/foundation/layout/PaddingKt;->calculateEndPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F -HPLandroidx/compose/foundation/layout/PaddingKt;->calculateStartPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F -HPLandroidx/compose/foundation/layout/PaddingKt;->padding(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/PaddingKt;->calculateEndPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F +HSPLandroidx/compose/foundation/layout/PaddingKt;->calculateStartPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F +HSPLandroidx/compose/foundation/layout/PaddingKt;->padding(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/PaddingKt;->padding-3ABfNKs(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/foundation/layout/PaddingKt;->padding-VpY3zN4$default(Landroidx/compose/ui/Modifier;FFILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/PaddingKt;->padding-VpY3zN4(Landroidx/compose/ui/Modifier;FF)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0$default(Landroidx/compose/ui/Modifier;FFFFILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0(Landroidx/compose/ui/Modifier;FFFF)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0$default(Landroidx/compose/ui/Modifier;FFFFILjava/lang/Object;)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0(Landroidx/compose/ui/Modifier;FFFF)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/PaddingKt$padding$1; -HSPLandroidx/compose/foundation/layout/PaddingKt$padding$1;->(FFFF)V +HPLandroidx/compose/foundation/layout/PaddingKt$padding$1;->(FFFF)V Landroidx/compose/foundation/layout/PaddingKt$padding$2; HSPLandroidx/compose/foundation/layout/PaddingKt$padding$2;->(FF)V PLandroidx/compose/foundation/layout/PaddingKt$padding$3;->(F)V @@ -1914,10 +2305,11 @@ HPLandroidx/compose/foundation/layout/PaddingValuesElement;->equals(Ljava/lang/O HSPLandroidx/compose/foundation/layout/PaddingValuesElement;->update(Landroidx/compose/foundation/layout/PaddingValuesModifier;)V HSPLandroidx/compose/foundation/layout/PaddingValuesElement;->update(Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/foundation/layout/PaddingValuesImpl; +HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->()V HPLandroidx/compose/foundation/layout/PaddingValuesImpl;->(FFFF)V HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->(FFFFLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateBottomPadding-D9Ej5fM()F -HPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateLeftPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F +HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateLeftPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateRightPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateTopPadding-D9Ej5fM()F HPLandroidx/compose/foundation/layout/PaddingValuesImpl;->equals(Ljava/lang/Object;)Z @@ -1925,7 +2317,7 @@ Landroidx/compose/foundation/layout/PaddingValuesModifier; HSPLandroidx/compose/foundation/layout/PaddingValuesModifier;->(Landroidx/compose/foundation/layout/PaddingValues;)V HSPLandroidx/compose/foundation/layout/PaddingValuesModifier;->getPaddingValues()Landroidx/compose/foundation/layout/PaddingValues; HPLandroidx/compose/foundation/layout/PaddingValuesModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/foundation/layout/PaddingValuesModifier;->setPaddingValues(Landroidx/compose/foundation/layout/PaddingValues;)V +HSPLandroidx/compose/foundation/layout/PaddingValuesModifier;->setPaddingValues(Landroidx/compose/foundation/layout/PaddingValues;)V Landroidx/compose/foundation/layout/PaddingValuesModifier$measure$2; HSPLandroidx/compose/foundation/layout/PaddingValuesModifier$measure$2;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/foundation/layout/PaddingValuesModifier;)V HPLandroidx/compose/foundation/layout/PaddingValuesModifier$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V @@ -1936,15 +2328,8 @@ HSPLandroidx/compose/foundation/layout/RowColumnImplKt;->getFill(Landroidx/compo HPLandroidx/compose/foundation/layout/RowColumnImplKt;->getRowColumnParentData(Landroidx/compose/ui/layout/IntrinsicMeasurable;)Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/RowColumnImplKt;->getWeight(Landroidx/compose/foundation/layout/RowColumnParentData;)F HPLandroidx/compose/foundation/layout/RowColumnImplKt;->isRelative(Landroidx/compose/foundation/layout/RowColumnParentData;)Z -HPLandroidx/compose/foundation/layout/RowColumnImplKt;->rowColumnMeasurePolicy-TDGSqEk(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;)Landroidx/compose/ui/layout/MeasurePolicy; -Landroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1; -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1;->(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;)V -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1; -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1;->(Landroidx/compose/foundation/layout/RowColumnMeasurementHelper;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;Landroidx/compose/ui/layout/MeasureScope;)V -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; +HSPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->()V HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->(IIIII[I)V HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getBeforeCrossAxisAlignmentLine()I HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getCrossAxisSize()I @@ -1952,9 +2337,20 @@ HSPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getEndInde HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getMainAxisPositions()[I HSPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getMainAxisSize()I HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getStartIndex()I +Landroidx/compose/foundation/layout/RowColumnMeasurePolicy; +HSPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->()V +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1; +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1;->(Landroidx/compose/foundation/layout/RowColumnMeasurementHelper;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;Landroidx/compose/ui/layout/MeasureScope;)V +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/RowColumnMeasurementHelper; -HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;)V -HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->()V +HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->crossAxisSize(Landroidx/compose/ui/layout/Placeable;)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->getCrossAxisPosition(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/RowColumnParentData;ILandroidx/compose/ui/unit/LayoutDirection;I)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisPositions(I[I[ILandroidx/compose/ui/layout/MeasureScope;)[I @@ -1962,6 +2358,7 @@ HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisSize( HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->placeHelper(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;ILandroidx/compose/ui/unit/LayoutDirection;)V Landroidx/compose/foundation/layout/RowColumnParentData; +HSPLandroidx/compose/foundation/layout/RowColumnParentData;->()V HSPLandroidx/compose/foundation/layout/RowColumnParentData;->(FZLandroidx/compose/foundation/layout/CrossAxisAlignment;)V HSPLandroidx/compose/foundation/layout/RowColumnParentData;->(FZLandroidx/compose/foundation/layout/CrossAxisAlignment;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/layout/RowColumnParentData;->getCrossAxisAlignment()Landroidx/compose/foundation/layout/CrossAxisAlignment; @@ -1972,61 +2369,72 @@ HSPLandroidx/compose/foundation/layout/RowColumnParentData;->setWeight(F)V Landroidx/compose/foundation/layout/RowKt; HSPLandroidx/compose/foundation/layout/RowKt;->()V HPLandroidx/compose/foundation/layout/RowKt;->rowMeasurePolicy(Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/ui/Alignment$Vertical;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/layout/MeasurePolicy; -Landroidx/compose/foundation/layout/RowKt$DefaultRowMeasurePolicy$1; -HSPLandroidx/compose/foundation/layout/RowKt$DefaultRowMeasurePolicy$1;->()V -HSPLandroidx/compose/foundation/layout/RowKt$DefaultRowMeasurePolicy$1;->()V -Landroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1; -HSPLandroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1;->(Landroidx/compose/foundation/layout/Arrangement$Horizontal;)V -HPLandroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1;->invoke(I[ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;[I)V -HPLandroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/RowScope; HSPLandroidx/compose/foundation/layout/RowScope;->weight$default(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/ui/Modifier;FZILjava/lang/Object;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/RowScopeInstance; HSPLandroidx/compose/foundation/layout/RowScopeInstance;->()V HSPLandroidx/compose/foundation/layout/RowScopeInstance;->()V -HPLandroidx/compose/foundation/layout/RowScopeInstance;->weight(Landroidx/compose/ui/Modifier;FZ)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/RowScopeInstance;->weight(Landroidx/compose/ui/Modifier;FZ)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/SizeElement; HPLandroidx/compose/foundation/layout/SizeElement;->(FFFFZLkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/foundation/layout/SizeElement;->(FFFFZLkotlin/jvm/functions/Function1;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/layout/SizeElement;->(FFFFZLkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/SizeElement;->create()Landroidx/compose/foundation/layout/SizeNode; HSPLandroidx/compose/foundation/layout/SizeElement;->create()Landroidx/compose/ui/Modifier$Node; Landroidx/compose/foundation/layout/SizeKt; HSPLandroidx/compose/foundation/layout/SizeKt;->()V +HSPLandroidx/compose/foundation/layout/SizeKt;->defaultMinSize-VpY3zN4$default(Landroidx/compose/ui/Modifier;FFILjava/lang/Object;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/SizeKt;->defaultMinSize-VpY3zN4(Landroidx/compose/ui/Modifier;FF)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/foundation/layout/SizeKt;->fillMaxSize$default(Landroidx/compose/ui/Modifier;FILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/foundation/layout/SizeKt;->fillMaxSize(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/SizeKt;->fillMaxSize(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/foundation/layout/SizeKt;->fillMaxWidth$default(Landroidx/compose/ui/Modifier;FILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/SizeKt;->fillMaxWidth(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/foundation/layout/SizeKt;->height-3ABfNKs(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/SizeKt;->size-3ABfNKs(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/SizeMode; HSPLandroidx/compose/foundation/layout/SizeMode;->$values()[Landroidx/compose/foundation/layout/SizeMode; HSPLandroidx/compose/foundation/layout/SizeMode;->()V HSPLandroidx/compose/foundation/layout/SizeMode;->(Ljava/lang/String;I)V Landroidx/compose/foundation/layout/SizeNode; -HPLandroidx/compose/foundation/layout/SizeNode;->(FFFFZ)V +HSPLandroidx/compose/foundation/layout/SizeNode;->(FFFFZ)V HSPLandroidx/compose/foundation/layout/SizeNode;->(FFFFZLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/SizeNode;->getTargetConstraints-OenEA2s(Landroidx/compose/ui/unit/Density;)J HPLandroidx/compose/foundation/layout/SizeNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/SizeNode$measure$1; HSPLandroidx/compose/foundation/layout/SizeNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -HPLandroidx/compose/foundation/layout/SizeNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/SizeNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/foundation/layout/SizeNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/SpacerKt; HPLandroidx/compose/foundation/layout/SpacerKt;->Spacer(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)V +Landroidx/compose/foundation/layout/SpacerKt$Spacer$$inlined$Layout$1; +HSPLandroidx/compose/foundation/layout/SpacerKt$Spacer$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/foundation/layout/SpacerKt$Spacer$$inlined$Layout$1;->invoke()Ljava/lang/Object; Landroidx/compose/foundation/layout/SpacerMeasurePolicy; HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->()V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->()V -HPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1; HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->()V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->()V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/UnionInsets; -HPLandroidx/compose/foundation/layout/UnionInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/foundation/layout/UnionInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V PLandroidx/compose/foundation/layout/UnionInsets;->equals(Ljava/lang/Object;)Z +Landroidx/compose/foundation/layout/UnspecifiedConstraintsElement; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->(FF)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->(FFLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->create()Landroidx/compose/foundation/layout/UnspecifiedConstraintsNode; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->create()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->equals(Ljava/lang/Object;)Z +Landroidx/compose/foundation/layout/UnspecifiedConstraintsNode; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode;->(FF)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode;->(FFLkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/ValueInsets; +HSPLandroidx/compose/foundation/layout/ValueInsets;->()V HSPLandroidx/compose/foundation/layout/ValueInsets;->(Landroidx/compose/foundation/layout/InsetsValues;Ljava/lang/String;)V HSPLandroidx/compose/foundation/layout/ValueInsets;->setValue$foundation_layout_release(Landroidx/compose/foundation/layout/InsetsValues;)V Landroidx/compose/foundation/layout/WindowInsets; @@ -2065,19 +2473,28 @@ HSPLandroidx/compose/foundation/layout/WindowInsetsHolder$Companion$current$1$in PLandroidx/compose/foundation/layout/WindowInsetsHolder$Companion$current$1$invoke$$inlined$onDispose$1;->dispose()V Landroidx/compose/foundation/layout/WindowInsetsKt; HPLandroidx/compose/foundation/layout/WindowInsetsKt;->WindowInsets(IIII)Landroidx/compose/foundation/layout/WindowInsets; -HPLandroidx/compose/foundation/layout/WindowInsetsKt;->asPaddingValues(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/layout/PaddingValues; -HPLandroidx/compose/foundation/layout/WindowInsetsKt;->exclude(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; +HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->asPaddingValues(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/layout/PaddingValues; +HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->exclude(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->only-bOOhFvg(Landroidx/compose/foundation/layout/WindowInsets;I)Landroidx/compose/foundation/layout/WindowInsets; -HPLandroidx/compose/foundation/layout/WindowInsetsKt;->union(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; +HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->union(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/foundation/layout/WindowInsetsPaddingKt; HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->getModifierLocalConsumedWindowInsets()Landroidx/compose/ui/modifier/ProvidableModifierLocal; +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->onConsumedWindowInsetsChanged(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->windowInsetsPadding(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1; HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->invoke()Landroidx/compose/foundation/layout/WindowInsets; HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->invoke()Ljava/lang/Object; +Landroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2; +HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2;->(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2; +HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2;->(Landroidx/compose/foundation/layout/WindowInsets;)V +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/WindowInsetsSides; HSPLandroidx/compose/foundation/layout/WindowInsetsSides;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsSides;->access$getAllowLeftInLtr$cp()I @@ -2116,15 +2533,51 @@ Landroidx/compose/foundation/layout/WrapContentElement$Companion$size$1; HSPLandroidx/compose/foundation/layout/WrapContentElement$Companion$size$1;->(Landroidx/compose/ui/Alignment;)V Landroidx/compose/foundation/layout/WrapContentElement$Companion$width$1; HSPLandroidx/compose/foundation/layout/WrapContentElement$Companion$width$1;->(Landroidx/compose/ui/Alignment$Horizontal;)V +PLandroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier;->()V PLandroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier;->()V PLandroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->()V PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->(IILjava/lang/Object;)V -PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getSize()I +HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getSize()I HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getStartIndex()I HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getValue()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->access$binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->()V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->(Lkotlinx/coroutines/CoroutineScope;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$getNotInitialized$cp()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$getPlacementDeltaAnimation$p(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;)Landroidx/compose/animation/core/Animatable; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$setPlacementAnimationInProgress(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;Z)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$setPlacementDelta--gyyYBs(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;J)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->animatePlacementDelta--gyyYBs(J)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->cancelPlacementAnimation()V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getPlacementDelta-nOcc-ac()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getRawOffset-nOcc-ac()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->isPlacementAnimationInProgress()Z +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setAppearanceSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementAnimationInProgress(Z)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementDelta--gyyYBs(J)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setRawOffset--gyyYBs(J)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->getNotInitialized-nOcc-ac()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;Landroidx/compose/animation/core/FiniteAnimationSpec;JLkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;J)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1$1;->invoke(Landroidx/compose/animation/core/Animatable;)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$cancelPlacementAnimation$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$cancelPlacementAnimation$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$cancelPlacementAnimation$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$layerBlock$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->(Landroidx/compose/animation/core/FiniteAnimationSpec;Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->getAppearanceSpec()Landroidx/compose/animation/core/FiniteAnimationSpec; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->getPlacementSpec()Landroidx/compose/animation/core/FiniteAnimationSpec; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;->hasIntervals()Z PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal;->()V @@ -2133,11 +2586,13 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal;-> PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal$Companion;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal$Companion$emptyBeyondBoundsScope$1;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocalKt;->lazyLayoutBeyondBoundsModifier(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsState;Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;ZLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsStateKt;->calculateLazyLayoutPinnedIndices(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Landroidx/compose/foundation/lazy/layout/LazyLayoutPinnedItemList;Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;)Ljava/util/List; PLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->()V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->getContentType(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->getItemCount()I +PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->(Landroidx/compose/runtime/saveable/SaveableStateHolder;Lkotlin/jvm/functions/Function0;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->access$getSaveableStateHolder$p(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)Landroidx/compose/runtime/saveable/SaveableStateHolder; HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->getContent(ILjava/lang/Object;Ljava/lang/Object;)Lkotlin/jvm/functions/Function2; @@ -2146,7 +2601,7 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->getItem HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;ILjava/lang/Object;Ljava/lang/Object;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->access$set_content$p(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->createContentLambda()Lkotlin/jvm/functions/Function2; -PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getContent()Lkotlin/jvm/functions/Function2; +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getContent()Lkotlin/jvm/functions/Function2; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getContentType()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getIndex()I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getKey()Ljava/lang/Object; @@ -2160,17 +2615,18 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedIte PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent$createContentLambda$1$2$invoke$$inlined$onDispose$1;->dispose()V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt;->SkippableItem-JVlU9Rs(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;ILjava/lang/Object;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt;->access$SkippableItem-JVlU9Rs(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;ILjava/lang/Object;Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;ILjava/lang/Object;I)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;ILjava/lang/Object;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemProviderKt;->findIndexByKey(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->getIndex(Ljava/lang/Object;)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt;->LazyLayout(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;ILandroidx/compose/runtime/State;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/State;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->invoke(Landroidx/compose/runtime/saveable/SaveableStateHolder;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$2$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;Lkotlin/jvm/functions/Function2;)V @@ -2179,6 +2635,7 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$2$1;->invoke PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$itemContentFactory$1$1;->(Landroidx/compose/runtime/State;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$itemContentFactory$1$1;->invoke()Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider; PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$itemContentFactory$1$1;->invoke()Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;Landroidx/compose/ui/layout/SubcomposeMeasureScope;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->getDensity()F PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; @@ -2227,7 +2684,7 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutPrefetcher_androidKt;->Lazy HPLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt;->lazyLayoutSemantics(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;Landroidx/compose/foundation/gestures/Orientation;ZZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$1;->(Lkotlin/jvm/functions/Function1;ZLandroidx/compose/ui/semantics/ScrollAxisRange;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/semantics/CollectionInfo;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$accessibilityScrollState$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$accessibilityScrollState$2;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$accessibilityScrollState$2;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$indexForKeyMapping$1;->(Lkotlin/jvm/functions/Function0;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$scrollByAction$1;->(ZLkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$scrollToIndexAction$1;->(Lkotlin/jvm/functions/Function0;Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V @@ -2236,14 +2693,14 @@ PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->(Landr PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/util/Map;)V HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->SaveableStateProvider(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->access$getPreviouslyComposedKeys$p(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;)Ljava/util/Set; -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->canBeSaved(Ljava/lang/Object;)Z +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->canBeSaved(Ljava/lang/Object;)Z PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->getWrappedHolder()Landroidx/compose/runtime/saveable/SaveableStateHolder; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->performSave()Ljava/util/Map; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->setWrappedHolder(Landroidx/compose/runtime/saveable/SaveableStateHolder;)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion;->()V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -2253,14 +2710,14 @@ PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$save PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;)Ljava/util/Map; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$saver$2;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1$invoke$$inlined$onDispose$1;->dispose()V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;I)V +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V +HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V +HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2$invoke$$inlined$onDispose$1;->dispose()V +HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$3;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;I)V HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt;->LazySaveableStateHolderProvider(Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Lkotlin/jvm/functions/Function3;I)V +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Lkotlin/jvm/functions/Function3;)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->invoke(Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$holder$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V @@ -2275,49 +2732,77 @@ PLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->forEach(IILkotli HPLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->get(I)Landroidx/compose/foundation/lazy/layout/IntervalList$Interval; HPLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->getIntervalForIndex(I)Landroidx/compose/foundation/lazy/layout/IntervalList$Interval; HPLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->getSize()I +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->(Lkotlin/ranges/IntRange;Landroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;)V PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->access$getKeys$p(Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)[Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->access$getKeysStartIndex$p(Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)I +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getIndex(Ljava/lang/Object;)I HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getKey(I)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$1$1;->(IILjava/util/HashMap;Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)V -HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$1$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V -PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->(IILandroidx/collection/MutableObjectIntMap;Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)V +HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->attachToScope-impl(Landroidx/compose/runtime/MutableState;)V +PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->constructor-impl$default(Landroidx/compose/runtime/MutableState;ILkotlin/jvm/internal/DefaultConstructorMarker;)Landroidx/compose/runtime/MutableState; +PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->constructor-impl(Landroidx/compose/runtime/MutableState;)Landroidx/compose/runtime/MutableState; PLandroidx/compose/foundation/lazy/layout/StableValue;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/staggeredgrid/EmptyLazyStaggeredGridLayoutInfo;->()V -PLandroidx/compose/foundation/lazy/staggeredgrid/EmptyLazyStaggeredGridLayoutInfo;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->(Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; +PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->(III)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getAnimations()[Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getCrossAxisOffset()I +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getLane()I +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getSpan()I +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->setCrossAxisOffset(I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->setLane(I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->setSpan(I)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->updateAnimation(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;Lkotlinx/coroutines/CoroutineScope;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridAnimateScrollScope;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridAnimateScrollScope;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsModifierKt;->lazyStaggeredGridBeyondBoundsModifier(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;ZLandroidx/compose/foundation/gestures/Orientation;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsModifierKt;->rememberLazyStaggeredGridBeyondBoundsState(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsState; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsState;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsState;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridCellsKt;->access$calculateCellsCrossAxisSizeImpl(III)[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridCellsKt;->calculateCellsCrossAxisSizeImpl(III)[I -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->LazyVerticalStaggeredGrid-zadm560(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZFLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/gestures/FlingBehavior;ZLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->rememberColumnSlots(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function2; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->LazyVerticalStaggeredGrid-zadm560(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZFLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/gestures/FlingBehavior;ZLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->rememberColumnSlots(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt$rememberColumnSlots$1$1;->(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/foundation/layout/Arrangement$Horizontal;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt$rememberColumnSlots$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt$rememberColumnSlots$1$1;->invoke-0kLqBqw(Landroidx/compose/ui/unit/Density;J)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getItem()Lkotlin/jvm/functions/Function4; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getKey()Lkotlin/jvm/functions/Function1; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getSpan()Lkotlin/jvm/functions/Function1; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getType()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->getIntervals()Landroidx/compose/foundation/lazy/layout/IntervalList; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->getIntervals()Landroidx/compose/foundation/lazy/layout/MutableIntervalList; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->getSpanProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->items(ILkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->()V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->access$getKeyIndexMap$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getAnimation(Ljava/lang/Object;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getHasAnimations(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)Z -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getNode(Ljava/lang/Object;)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimateItemModifierNode; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->onMeasured(IIILjava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;ZI)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->reset()V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->initializeAnimation(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;ILandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->onMeasured(IIILjava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;ZILkotlinx/coroutines/CoroutineScope;)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->startAnimationsIfNeeded(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator$onMeasured$$inlined$sortBy$2;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator$onMeasured$$inlined$sortBy$2;->compare(Ljava/lang/Object;Ljava/lang/Object;)I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->access$getEmptyArray$p()[Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->access$getSpecs(Ljava/lang/Object;)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->getSpecs(Ljava/lang/Object;)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->Item(ILjava/lang/Object;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->access$getIntervalContent$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getContentType(I)Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getContentType(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getItemCount()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getKey(I)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getKeyIndexMap()Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getSpanProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getKeyIndexMap()Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getSpanProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl$Item$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;I)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl$Item$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl$Item$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -2330,11 +2815,11 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt$rememberStaggeredGridItemProviderLambda$1$itemProviderState$1;->(Landroidx/compose/runtime/State;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt$rememberStaggeredGridItemProviderLambda$1$itemProviderState$1;->invoke()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt$rememberStaggeredGridItemProviderLambda$1$itemProviderState$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScope;->animateItemPlacement$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScope;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/FiniteAnimationSpec;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScopeImpl;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScopeImpl;->()V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt;->LazyStaggeredGrid-LJWHXA8(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/gestures/Orientation;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/FlingBehavior;ZFFLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;III)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt;->ScrollPositionUpdater(Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/runtime/Composer;I)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt$ScrollPositionUpdater$1;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;I)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScopeImpl;->animateItemPlacement(Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/FiniteAnimationSpec;)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt;->LazyStaggeredGrid-LJWHXA8(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/FlingBehavior;ZFFLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;III)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->assignedToLane(II)Z @@ -2351,12 +2836,14 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->upp PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo$Companion;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo$setGaps$$inlined$binarySearchBy$default$1;->(Ljava/lang/Comparable;)V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZI)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->()V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getAfterContentPadding()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getBeforeContentPadding()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getConstraints-msEJaDk()J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getContentOffset-nOcc-ac()J +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getCoroutineScope()Lkotlinx/coroutines/CoroutineScope; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getItemProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getLaneCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getLaneInfo()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo; @@ -2383,7 +2870,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->ma PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measure$lambda$38$hasSpaceBeforeFirst([I[ILandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measure$lambda$38$misalignedStart([ILandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;[II)Z HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measure(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;I[I[IZ)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measureStaggeredGrid-dSVRQoE(Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZZJIIII)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measureStaggeredGrid-sdzDtKU(Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZZJIIIILkotlinx/coroutines/CoroutineScope;)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->offsetBy([II)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt$measure$1$29;->(Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt$measure$1$29;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V @@ -2393,15 +2880,18 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyK PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->access$startPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/ui/unit/LayoutDirection;)F PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->afterPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/ui/unit/LayoutDirection;)F PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->beforePadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/ui/unit/LayoutDirection;)F -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->rememberStaggeredGridMeasurePolicy-nbWgWpA(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/Orientation;FFLkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function2; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->rememberStaggeredGridMeasurePolicy-1tP8Re8(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/Orientation;FFLkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider;Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function2; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->startPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/ui/unit/LayoutDirection;)F PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$WhenMappings;->()V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->(Landroidx/compose/foundation/gestures/Orientation;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZF)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->(Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZFLkotlinx/coroutines/CoroutineScope;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->invoke-0kLqBqw(Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;J)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->(ZLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->childConstraints-JhjzzOo(II)J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->getAndMeasure-jy6DScQ(IJ)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->getKeyIndexMap()Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->()V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->([I[IFLandroidx/compose/ui/layout/MeasureResult;ZZZILjava/util/List;JIIIII)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->([I[IFLandroidx/compose/ui/layout/MeasureResult;ZZZILjava/util/List;JIIIIILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->getAlignmentLines()Ljava/util/Map; @@ -2415,43 +2905,57 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->getVisibleItemsInfo()Ljava/util/List; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->getWidth()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->placeChildren()V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->(ILjava/lang/Object;Ljava/util/List;ZIIIIILjava/lang/Object;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt;->getEmptyLazyStaggeredGridLayoutInfo()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt$EmptyLazyStaggeredGridLayoutInfo$1;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getIndex()I -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getLane()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxis--gyyYBs(J)I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxisSize()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getParentData(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSizeWithSpacings()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSpan()I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVertical()Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVisible()Z HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->place(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->position(III)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->position(III)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->setNonScrollableItem(Z)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope;->items$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope;ILkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;ILjava/lang/Object;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->invoke(I)Ljava/lang/Void; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->([I[ILkotlin/jvm/functions/Function2;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->calculateFirstVisibleIndex([I)I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->calculateFirstVisibleScrollOffset([I[I)I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->equivalent(Ljava/lang/Object;Ljava/lang/Object;)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->equivalent([I[I)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getIndices()[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getNearestRangeState()Landroidx/compose/foundation/lazy/layout/LazyLayoutNearestRangeState; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getOffsets()[I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getScrollOffsets()[I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setIndex(I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setIndices([I)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setOffsets([I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setScrollOffset(I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setScrollOffsets([I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->update([I[I)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->updateFromMeasureResult(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->updateScrollPositionIfTheFirstItemWasMoved(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;[I)[I -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt;->rememberLazyStaggeredGridSemanticState(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt;->rememberLazyStaggeredGridSemanticState(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt$rememberLazyStaggeredGridSemanticState$1$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt$rememberLazyStaggeredGridSemanticState$1$1;->collectionInfo()Landroidx/compose/ui/semantics/CollectionInfo; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlotCache;->(Lkotlin/jvm/functions/Function2;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlotCache;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlotCache;->invoke-0kLqBqw(Landroidx/compose/ui/unit/Density;J)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->([I[I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->getPositions()[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->getSizes()[I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;->(Landroidx/compose/foundation/lazy/layout/IntervalList;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;->isFullSpan(I)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->()V @@ -2459,7 +2963,8 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;-> HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->([I[I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->access$setRemeasurement$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/ui/layout/Remeasurement;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->applyMeasureResult$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->applyMeasureResult$foundation_release$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;ZILjava/lang/Object;)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->applyMeasureResult$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;Z)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->cancelPrefetchIfVisibleItemsChanged(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLayoutInfo;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getAwaitLayoutModifier$foundation_release()Landroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getBeyondBoundsInfo$foundation_release()Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo; @@ -2468,6 +2973,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getMut PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getNearestRange$foundation_release()Lkotlin/ranges/IntRange; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPinnedItems$foundation_release()Landroidx/compose/foundation/lazy/layout/LazyLayoutPinnedItemList; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPlacementAnimator$foundation_release()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPlacementScopeInvalidator-zYiylxw$foundation_release()Landroidx/compose/runtime/MutableState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPrefetchState$foundation_release()Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getRemeasurementModifier$foundation_release()Landroidx/compose/ui/layout/RemeasurementModifier; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getScrollPosition$foundation_release()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition; @@ -2477,7 +2983,6 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setCan PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setSlots$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setSpanProvider$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setVertical$foundation_release(Z)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->updateScrollPositionIfTheFirstItemWasMoved$foundation_release$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;[IILjava/lang/Object;)[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->updateScrollPositionIfTheFirstItemWasMoved$foundation_release(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;[I)[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -2488,8 +2993,6 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companio PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion$Saver$2;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion$Saver$2;->()V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$firstVisibleItemIndex$2;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$firstVisibleItemScrollOffset$2;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$remeasurementModifier$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$remeasurementModifier$1;->onRemeasurementAvailable(Landroidx/compose/ui/layout/Remeasurement;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$scrollPosition$1;->(Ljava/lang/Object;)V @@ -2504,8 +3007,9 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells$Fixed;->(I)V PLandroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells$Fixed;->calculateCrossAxisCellSizes(Landroidx/compose/ui/unit/Density;II)[I Landroidx/compose/foundation/relocation/BringIntoViewChildNode; +HSPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->()V HPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->()V -HPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V PLandroidx/compose/foundation/relocation/BringIntoViewKt;->()V PLandroidx/compose/foundation/relocation/BringIntoViewKt;->getModifierLocalBringIntoViewParent()Landroidx/compose/ui/modifier/ProvidableModifierLocal; PLandroidx/compose/foundation/relocation/BringIntoViewKt$ModifierLocalBringIntoViewParent$1;->()V @@ -2518,15 +3022,13 @@ HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterImpl;->getModif Landroidx/compose/foundation/relocation/BringIntoViewRequesterKt; HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterKt;->BringIntoViewRequester()Landroidx/compose/foundation/relocation/BringIntoViewRequester; Landroidx/compose/foundation/relocation/BringIntoViewRequesterNode; -HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->(Landroidx/compose/foundation/relocation/BringIntoViewRequester;)V +HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->()V +HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->(Landroidx/compose/foundation/relocation/BringIntoViewRequester;)V HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->disposeRequester()V HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->onAttach()V PLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->onDetach()V HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->updateRequester(Landroidx/compose/foundation/relocation/BringIntoViewRequester;)V -PLandroidx/compose/foundation/relocation/BringIntoViewResponderElement;->(Landroidx/compose/foundation/relocation/BringIntoViewResponder;)V -PLandroidx/compose/foundation/relocation/BringIntoViewResponderElement;->create()Landroidx/compose/foundation/relocation/BringIntoViewResponderNode; -PLandroidx/compose/foundation/relocation/BringIntoViewResponderElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/foundation/relocation/BringIntoViewResponderKt;->bringIntoViewResponder(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/relocation/BringIntoViewResponder;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/relocation/BringIntoViewResponderNode;->()V PLandroidx/compose/foundation/relocation/BringIntoViewResponderNode;->(Landroidx/compose/foundation/relocation/BringIntoViewResponder;)V Landroidx/compose/foundation/relocation/BringIntoViewResponder_androidKt; HPLandroidx/compose/foundation/relocation/BringIntoViewResponder_androidKt;->defaultBringIntoViewParent(Landroidx/compose/ui/node/CompositionLocalConsumerModifierNode;)Landroidx/compose/foundation/relocation/BringIntoViewParent; @@ -2558,23 +3060,21 @@ HSPLandroidx/compose/foundation/shape/DpCornerSize;->(FLkotlin/jvm/interna HPLandroidx/compose/foundation/shape/DpCornerSize;->toPx-TmRCtEA(JLandroidx/compose/ui/unit/Density;)F Landroidx/compose/foundation/shape/PercentCornerSize; HSPLandroidx/compose/foundation/shape/PercentCornerSize;->(F)V -HPLandroidx/compose/foundation/shape/PercentCornerSize;->toPx-TmRCtEA(JLandroidx/compose/ui/unit/Density;)F +HSPLandroidx/compose/foundation/shape/PercentCornerSize;->toPx-TmRCtEA(JLandroidx/compose/ui/unit/Density;)F Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShape;->()V -HPLandroidx/compose/foundation/shape/RoundedCornerShape;->(Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;)V +HSPLandroidx/compose/foundation/shape/RoundedCornerShape;->(Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;)V HPLandroidx/compose/foundation/shape/RoundedCornerShape;->createOutline-LjSzlW0(JFFFFLandroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/graphics/Outline; HSPLandroidx/compose/foundation/shape/RoundedCornerShape;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/shape/RoundedCornerShapeKt; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->()V HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape(I)Landroidx/compose/foundation/shape/RoundedCornerShape; -HPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape(Landroidx/compose/foundation/shape/CornerSize;)Landroidx/compose/foundation/shape/RoundedCornerShape; +HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape(Landroidx/compose/foundation/shape/CornerSize;)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-0680j_4(F)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-a9UjIt4(FFFF)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->getCircleShape()Landroidx/compose/foundation/shape/RoundedCornerShape; Landroidx/compose/foundation/text/BasicTextKt; -HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-4YKlhWE(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/runtime/Composer;II)V HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V -HPLandroidx/compose/foundation/text/BasicTextKt;->textModifier-RWo7tUw(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/text/font/FontFamily$Resolver;Ljava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1; HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->invoke()Ljava/lang/Object; @@ -2585,7 +3085,7 @@ HPLandroidx/compose/foundation/text/EmptyMeasurePolicy;->measure-3p2s80s(Landroi Landroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1; HSPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->()V HSPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->()V -HPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/text/HeightInLinesModifierKt; HSPLandroidx/compose/foundation/text/HeightInLinesModifierKt;->validateMinMaxLines(II)V @@ -2597,7 +3097,7 @@ HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->access$getUnspeci HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(FF)J HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(J)J HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(Landroidx/compose/ui/unit/Density;)J -PLandroidx/compose/foundation/text/modifiers/InlineDensity;->equals-impl0(JJ)Z +HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->equals-impl0(JJ)Z Landroidx/compose/foundation/text/modifiers/InlineDensity$Companion; HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->()V HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -2606,32 +3106,40 @@ Landroidx/compose/foundation/text/modifiers/LayoutUtilsKt; HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalConstraints-tfFHcEY(JZIF)J HSPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxLines-xdlQI24(ZII)I HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxWidth-tfFHcEY(JZIF)I -Landroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILjava/util/List;)V -HSPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILjava/util/List;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->getTextLayoutResult()Landroidx/compose/ui/text/TextLayoutResult; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->layoutText-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/MultiParagraph; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->layoutWithConstraints-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Z -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->newLayoutWillBeDifferent-VKLhPVY(Landroidx/compose/ui/text/TextLayoutResult;JLandroidx/compose/ui/unit/LayoutDirection;)Z -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->setDensity$foundation_release(Landroidx/compose/ui/unit/Density;)V -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/MultiParagraphIntrinsics; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->textLayoutResult-VKLhPVY(Landroidx/compose/ui/unit/LayoutDirection;JLandroidx/compose/ui/text/MultiParagraph;)Landroidx/compose/ui/text/TextLayoutResult; -Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;)V -HSPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->create()Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->create()Landroidx/compose/ui/Modifier$Node; -Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;)V -HSPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->getLayoutCache()Landroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->getLayoutCache(Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->fixedCoerceHeightAndWidthForBits(Landroidx/compose/ui/unit/Constraints$Companion;II)J +Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; +HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->()V +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZII)V +HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getDidOverflow$foundation_release()Z +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getLayoutSize-YbymL2g$foundation_release()J +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getObserveFontChanges$foundation_release()Lkotlin/Unit; +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getParagraph$foundation_release()Landroidx/compose/ui/text/Paragraph; +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->layoutText-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/Paragraph; +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->layoutWithConstraints-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Z +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->newLayoutWillBeDifferent-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Z +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->setDensity$foundation_release(Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/ParagraphIntrinsics; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleElement; +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->()V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;)V +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->create()Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->create()Landroidx/compose/ui/Modifier$Node; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode; +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->()V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;)V +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->getLayoutCache()Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->getLayoutCache(Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->getTextSubstitution()Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode$TextSubstitutionValue; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode$TextSubstitutionValue; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/text/selection/SelectionRegistrar; Landroidx/compose/foundation/text/selection/SelectionRegistrarKt; HSPLandroidx/compose/foundation/text/selection/SelectionRegistrarKt;->()V @@ -2645,7 +3153,6 @@ Landroidx/compose/foundation/text/selection/TextSelectionColors; HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->()V HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->(JJ)V HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->(JJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/text/selection/TextSelectionColorsKt; HSPLandroidx/compose/foundation/text/selection/TextSelectionColorsKt;->()V HSPLandroidx/compose/foundation/text/selection/TextSelectionColorsKt;->getLocalTextSelectionColors()Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -2726,7 +3233,7 @@ PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndi PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndicator$targetAlpha$2$1;->(Landroidx/compose/material/pullrefresh/PullRefreshState;)V PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndicator$targetAlpha$2$1;->invoke()Ljava/lang/Float; PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndicator$targetAlpha$2$1;->invoke()Ljava/lang/Object; -PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->(JILandroidx/compose/material/pullrefresh/PullRefreshState;)V +PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->(JLandroidx/compose/material/pullrefresh/PullRefreshState;)V PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->invoke(ZLandroidx/compose/runtime/Composer;I)V PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$2;->(ZLandroidx/compose/material/pullrefresh/PullRefreshState;Landroidx/compose/ui/Modifier;JJZII)V @@ -2748,7 +3255,7 @@ PLandroidx/compose/material/pullrefresh/PullRefreshKt$pullRefresh$2$1;->(L PLandroidx/compose/material/pullrefresh/PullRefreshKt$pullRefresh$2$2;->(Ljava/lang/Object;)V PLandroidx/compose/material/pullrefresh/PullRefreshNestedScrollConnection;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;Z)V PLandroidx/compose/material/pullrefresh/PullRefreshState;->()V -HPLandroidx/compose/material/pullrefresh/PullRefreshState;->(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/runtime/State;FF)V +PLandroidx/compose/material/pullrefresh/PullRefreshState;->(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/runtime/State;FF)V PLandroidx/compose/material/pullrefresh/PullRefreshState;->access$getDistancePulled(Landroidx/compose/material/pullrefresh/PullRefreshState;)F PLandroidx/compose/material/pullrefresh/PullRefreshState;->getAdjustedDistancePulled()F PLandroidx/compose/material/pullrefresh/PullRefreshState;->getDistancePulled()F @@ -2771,25 +3278,26 @@ PLandroidx/compose/material/pullrefresh/PullRefreshStateKt$rememberPullRefreshSt PLandroidx/compose/material/pullrefresh/PullRefreshStateKt$rememberPullRefreshState$3;->invoke()Ljava/lang/Object; PLandroidx/compose/material/pullrefresh/PullRefreshStateKt$rememberPullRefreshState$3;->invoke()V Landroidx/compose/material/ripple/AndroidRippleIndicationInstance; -HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/material/ripple/RippleContainer;)V -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/material/ripple/RippleContainer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->dispose()V +HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->()V +HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroid/view/ViewGroup;)V +HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroid/view/ViewGroup;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->dispose()V HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->drawIndication(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->getInvalidateTick()Z HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->getRippleHostView()Landroidx/compose/material/ripple/RippleHostView; HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onForgotten()V HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onRemembered()V -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->resetHostView()V -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->setRippleHostView(Landroidx/compose/material/ripple/RippleHostView;)V Landroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1; HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1;->(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V Landroidx/compose/material/ripple/PlatformRipple; +HSPLandroidx/compose/material/ripple/PlatformRipple;->()V HSPLandroidx/compose/material/ripple/PlatformRipple;->(ZFLandroidx/compose/runtime/State;)V HSPLandroidx/compose/material/ripple/PlatformRipple;->(ZFLandroidx/compose/runtime/State;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/material/ripple/PlatformRipple;->findNearestViewGroup(Landroidx/compose/runtime/Composer;I)Landroid/view/ViewGroup; HPLandroidx/compose/material/ripple/PlatformRipple;->rememberUpdatedRippleInstance-942rkJo(Landroidx/compose/foundation/interaction/InteractionSource;ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/Composer;I)Landroidx/compose/material/ripple/RippleIndicationInstance; Landroidx/compose/material/ripple/Ripple; -HPLandroidx/compose/material/ripple/Ripple;->(ZFLandroidx/compose/runtime/State;)V +HSPLandroidx/compose/material/ripple/Ripple;->()V +HSPLandroidx/compose/material/ripple/Ripple;->(ZFLandroidx/compose/runtime/State;)V HSPLandroidx/compose/material/ripple/Ripple;->(ZFLandroidx/compose/runtime/State;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material/ripple/Ripple;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/material/ripple/Ripple;->rememberUpdatedInstance(Landroidx/compose/foundation/interaction/InteractionSource;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/IndicationInstance; @@ -2807,22 +3315,11 @@ HSPLandroidx/compose/material/ripple/RippleAlpha;->getPressedAlpha()F Landroidx/compose/material/ripple/RippleAnimationKt; HSPLandroidx/compose/material/ripple/RippleAnimationKt;->()V HPLandroidx/compose/material/ripple/RippleAnimationKt;->getRippleEndRadius-cSwnlzA(Landroidx/compose/ui/unit/Density;ZJ)F -Landroidx/compose/material/ripple/RippleContainer; -HPLandroidx/compose/material/ripple/RippleContainer;->(Landroid/content/Context;)V -HPLandroidx/compose/material/ripple/RippleContainer;->disposeRippleIfNeeded(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V -Landroidx/compose/material/ripple/RippleHostMap; -HSPLandroidx/compose/material/ripple/RippleHostMap;->()V -HPLandroidx/compose/material/ripple/RippleHostMap;->get(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)Landroidx/compose/material/ripple/RippleHostView; Landroidx/compose/material/ripple/RippleHostView; -HSPLandroidx/compose/material/ripple/RippleHostView;->()V -HSPLandroidx/compose/material/ripple/RippleHostView;->(Landroid/content/Context;)V -HSPLandroidx/compose/material/ripple/RippleHostView;->refreshDrawableState()V -Landroidx/compose/material/ripple/RippleHostView$Companion; -HSPLandroidx/compose/material/ripple/RippleHostView$Companion;->()V -HSPLandroidx/compose/material/ripple/RippleHostView$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/material/ripple/RippleIndicationInstance; +HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->()V HPLandroidx/compose/material/ripple/RippleIndicationInstance;->(ZLandroidx/compose/runtime/State;)V -HPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V +HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V Landroidx/compose/material/ripple/RippleKt; HSPLandroidx/compose/material/ripple/RippleKt;->()V HPLandroidx/compose/material/ripple/RippleKt;->rememberRipple-9IZ8Weo(ZFJLandroidx/compose/runtime/Composer;II)Landroidx/compose/foundation/Indication; @@ -2839,7 +3336,7 @@ HPLandroidx/compose/material/ripple/StateLayer;->drawStateLayer-H2RKhps(Landroid Landroidx/compose/material3/AppBarKt; HSPLandroidx/compose/material3/AppBarKt;->()V HPLandroidx/compose/material3/AppBarKt;->CenterAlignedTopAppBar(Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Landroidx/compose/material3/TopAppBarScrollBehavior;Landroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/AppBarKt;->SingleRowTopAppBar$lambda$3(Landroidx/compose/runtime/State;)J +HSPLandroidx/compose/material3/AppBarKt;->SingleRowTopAppBar$lambda$7(Landroidx/compose/runtime/State;)J HPLandroidx/compose/material3/AppBarKt;->SingleRowTopAppBar(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Landroidx/compose/material3/TopAppBarScrollBehavior;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/material3/AppBarKt;->TopAppBarLayout-kXwM9vE(Landroidx/compose/ui/Modifier;FJJJLkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;FLandroidx/compose/foundation/layout/Arrangement$Vertical;Landroidx/compose/foundation/layout/Arrangement$Horizontal;IZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HSPLandroidx/compose/material3/AppBarKt;->access$SingleRowTopAppBar(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Landroidx/compose/material3/TopAppBarScrollBehavior;Landroidx/compose/runtime/Composer;II)V @@ -2850,7 +3347,7 @@ HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$1$1;->(Landroid HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$1$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$1$1;->invoke()V Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2; -HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ILandroidx/compose/material3/TopAppBarScrollBehavior;)V +HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/material3/TopAppBarScrollBehavior;)V HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3; @@ -2858,24 +3355,20 @@ HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3;->(Landroidx/c HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1; -HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->(Lkotlin/jvm/functions/Function3;I)V +HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$1$1; HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$1$1;->(Landroidx/compose/material3/TopAppBarScrollBehavior;)V Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$2$1; HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$2$1;->(Landroidx/compose/material3/TopAppBarScrollBehavior;Lkotlin/coroutines/Continuation;)V -Landroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1; -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1;->(JLkotlin/jvm/functions/Function2;I)V -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2; -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2;->(FLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;I)V -HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1; -HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1;->(Landroidx/compose/ui/layout/Placeable;ILandroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/Arrangement$Horizontal;JLandroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/foundation/layout/Arrangement$Vertical;II)V -HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1; +HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1;->(FLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;I)V +HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1; +HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1;->(Landroidx/compose/ui/layout/Placeable;ILandroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/Arrangement$Horizontal;JLandroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/foundation/layout/Arrangement$Vertical;II)V +HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1; HSPLandroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1;->(FFF)V HSPLandroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1;->invoke()Landroidx/compose/material3/TopAppBarState; @@ -2883,105 +3376,79 @@ HSPLandroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1;->invoke()Lja PLandroidx/compose/material3/CardColors;->()V HPLandroidx/compose/material3/CardColors;->(JJJJ)V PLandroidx/compose/material3/CardColors;->(JJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material3/CardColors;->containerColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -HPLandroidx/compose/material3/CardColors;->contentColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +PLandroidx/compose/material3/CardColors;->containerColor-vNxB06k$material3_release(Z)J +PLandroidx/compose/material3/CardColors;->contentColor-vNxB06k$material3_release(Z)J +HPLandroidx/compose/material3/CardColors;->copy-jRlVdoo(JJJJ)Landroidx/compose/material3/CardColors; PLandroidx/compose/material3/CardDefaults;->()V PLandroidx/compose/material3/CardDefaults;->()V HPLandroidx/compose/material3/CardDefaults;->elevatedCardColors-ro_MJ88(JJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/CardColors; HPLandroidx/compose/material3/CardDefaults;->elevatedCardElevation-aqJV_2Y(FFFFFFLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/CardElevation; +PLandroidx/compose/material3/CardDefaults;->getDefaultElevatedCardColors$material3_release(Landroidx/compose/material3/ColorScheme;)Landroidx/compose/material3/CardColors; PLandroidx/compose/material3/CardElevation;->()V HPLandroidx/compose/material3/CardElevation;->(FFFFFF)V PLandroidx/compose/material3/CardElevation;->(FFFFFFLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/material3/CardElevation;->access$getDefaultElevation$p(Landroidx/compose/material3/CardElevation;)F HPLandroidx/compose/material3/CardElevation;->shadowElevation$material3_release(ZLandroidx/compose/foundation/interaction/InteractionSource;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -HPLandroidx/compose/material3/CardElevation;->tonalElevation$material3_release(ZLandroidx/compose/foundation/interaction/InteractionSource;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +PLandroidx/compose/material3/CardElevation;->tonalElevation-u2uoSUM$material3_release(Z)F HPLandroidx/compose/material3/CardKt;->Card(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;Landroidx/compose/material3/CardColors;Landroidx/compose/material3/CardElevation;Landroidx/compose/foundation/BorderStroke;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/material3/CardKt;->ElevatedCard(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;Landroidx/compose/material3/CardColors;Landroidx/compose/material3/CardElevation;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/material3/CardKt$Card$1;->(Lkotlin/jvm/functions/Function3;I)V +PLandroidx/compose/material3/CardKt$Card$1;->(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/material3/CardKt$Card$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/material3/CardKt$Card$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/material3/CardKt$Card$2;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;Landroidx/compose/material3/CardColors;Landroidx/compose/material3/CardElevation;Landroidx/compose/foundation/BorderStroke;Lkotlin/jvm/functions/Function3;II)V Landroidx/compose/material3/ColorScheme; HSPLandroidx/compose/material3/ColorScheme;->()V -HPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)V -HSPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material3/ColorScheme;->copy-G1PFc-w$default(Landroidx/compose/material3/ColorScheme;JJJJJJJJJJJJJJJJJJJJJJJJJJJJJILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; -HSPLandroidx/compose/material3/ColorScheme;->copy-G1PFc-w(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; -HPLandroidx/compose/material3/ColorScheme;->getBackground-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getError-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getErrorContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getInverseOnSurface-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getInversePrimary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)V +HSPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/material3/ColorScheme;->getBackground-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getDefaultCenterAlignedTopAppBarColorsCached$material3_release()Landroidx/compose/material3/TopAppBarColors; +PLandroidx/compose/material3/ColorScheme;->getDefaultElevatedCardColorsCached$material3_release()Landroidx/compose/material3/CardColors; +HSPLandroidx/compose/material3/ColorScheme;->getDefaultNavigationBarItemColorsCached$material3_release()Landroidx/compose/material3/NavigationBarItemColors; +HSPLandroidx/compose/material3/ColorScheme;->getError-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getErrorContainer-0d7_KjU()J HSPLandroidx/compose/material3/ColorScheme;->getInverseSurface-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnBackground-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnError-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnErrorContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnPrimary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnPrimaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnSecondary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnSecondaryContainer-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnSurface-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnSurfaceVariant-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnTertiary-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnTertiaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOutline-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOutlineVariant-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getPrimary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getPrimaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getScrim-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSecondary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSecondaryContainer-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSurface-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSurfaceTint-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSurfaceVariant-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getTertiary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnBackground-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnPrimaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnSecondaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnSurface-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnSurfaceVariant-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getPrimary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getPrimaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSecondary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSecondaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurface-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceBright-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerHigh-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerHighest-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerLow-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerLowest-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceTint-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceVariant-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getTertiary-0d7_KjU()J HSPLandroidx/compose/material3/ColorScheme;->getTertiaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->setBackground-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setError-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setErrorContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setInverseOnSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setInversePrimary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setInverseSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnBackground-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnError-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnErrorContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnPrimary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnPrimaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSecondary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSecondaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSurfaceVariant-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnTertiary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnTertiaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOutline-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOutlineVariant-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setPrimary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setPrimaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setScrim-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSecondary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSecondaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSurfaceTint-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSurfaceVariant-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setTertiary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setTertiaryContainer-8_81llA$material3_release(J)V +HSPLandroidx/compose/material3/ColorScheme;->setDefaultCenterAlignedTopAppBarColorsCached$material3_release(Landroidx/compose/material3/TopAppBarColors;)V +PLandroidx/compose/material3/ColorScheme;->setDefaultElevatedCardColorsCached$material3_release(Landroidx/compose/material3/CardColors;)V +HSPLandroidx/compose/material3/ColorScheme;->setDefaultNavigationBarItemColorsCached$material3_release(Landroidx/compose/material3/NavigationBarItemColors;)V Landroidx/compose/material3/ColorSchemeKt; HSPLandroidx/compose/material3/ColorSchemeKt;->()V -HSPLandroidx/compose/material3/ColorSchemeKt;->applyTonalElevation-Hht5A8o(Landroidx/compose/material3/ColorScheme;JF)J +HPLandroidx/compose/material3/ColorSchemeKt;->applyTonalElevation-RFCenO8(Landroidx/compose/material3/ColorScheme;JFLandroidx/compose/runtime/Composer;I)J HPLandroidx/compose/material3/ColorSchemeKt;->contentColorFor-4WTKRHQ(Landroidx/compose/material3/ColorScheme;J)J HPLandroidx/compose/material3/ColorSchemeKt;->contentColorFor-ek8zF_U(JLandroidx/compose/runtime/Composer;I)J -HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-G1PFc-w$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; -HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-G1PFc-w(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; -HPLandroidx/compose/material3/ColorSchemeKt;->fromToken(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/tokens/ColorSchemeKeyTokens;)J +HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-C-Xl9yA$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJIILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-C-Xl9yA(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->fromToken(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/tokens/ColorSchemeKeyTokens;)J HPLandroidx/compose/material3/ColorSchemeKt;->getLocalColorScheme()Landroidx/compose/runtime/ProvidableCompositionLocal; -HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-G1PFc-w$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; -HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-G1PFc-w(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-C-Xl9yA$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJIILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-C-Xl9yA(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; HPLandroidx/compose/material3/ColorSchemeKt;->surfaceColorAtElevation-3ABfNKs(Landroidx/compose/material3/ColorScheme;F)J -HPLandroidx/compose/material3/ColorSchemeKt;->toColor(Landroidx/compose/material3/tokens/ColorSchemeKeyTokens;Landroidx/compose/runtime/Composer;I)J -HPLandroidx/compose/material3/ColorSchemeKt;->updateColorSchemeFrom(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/ColorScheme;)V Landroidx/compose/material3/ColorSchemeKt$LocalColorScheme$1; HSPLandroidx/compose/material3/ColorSchemeKt$LocalColorScheme$1;->()V HSPLandroidx/compose/material3/ColorSchemeKt$LocalColorScheme$1;->()V +Landroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1; +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->()V +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->()V +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->invoke()Ljava/lang/Boolean; +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->invoke()Ljava/lang/Object; Landroidx/compose/material3/ColorSchemeKt$WhenMappings; HSPLandroidx/compose/material3/ColorSchemeKt$WhenMappings;->()V Landroidx/compose/material3/ComposableSingletons$AppBarKt; @@ -3071,24 +3538,12 @@ Landroidx/compose/material3/EnterAlwaysScrollBehavior$nestedScrollConnection$1; HSPLandroidx/compose/material3/EnterAlwaysScrollBehavior$nestedScrollConnection$1;->(Landroidx/compose/material3/EnterAlwaysScrollBehavior;)V Landroidx/compose/material3/FabPosition; HSPLandroidx/compose/material3/FabPosition;->()V -HSPLandroidx/compose/material3/FabPosition;->(I)V HSPLandroidx/compose/material3/FabPosition;->access$getEnd$cp()I -HSPLandroidx/compose/material3/FabPosition;->box-impl(I)Landroidx/compose/material3/FabPosition; HSPLandroidx/compose/material3/FabPosition;->constructor-impl(I)I Landroidx/compose/material3/FabPosition$Companion; HSPLandroidx/compose/material3/FabPosition$Companion;->()V HSPLandroidx/compose/material3/FabPosition$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material3/FabPosition$Companion;->getEnd-ERTFSPs()I -PLandroidx/compose/material3/IconButtonColors;->()V -PLandroidx/compose/material3/IconButtonColors;->(JJJJ)V -PLandroidx/compose/material3/IconButtonColors;->(JJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/material3/IconButtonColors;->containerColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -PLandroidx/compose/material3/IconButtonColors;->contentColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -PLandroidx/compose/material3/IconButtonDefaults;->()V -PLandroidx/compose/material3/IconButtonDefaults;->()V -PLandroidx/compose/material3/IconButtonDefaults;->iconButtonColors-ro_MJ88(JJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/IconButtonColors; -HPLandroidx/compose/material3/IconButtonKt;->IconButton(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;ZLandroidx/compose/material3/IconButtonColors;Landroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/material3/IconButtonKt$IconButton$3;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;ZLandroidx/compose/material3/IconButtonColors;Landroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function2;II)V Landroidx/compose/material3/IconKt; HSPLandroidx/compose/material3/IconKt;->()V HPLandroidx/compose/material3/IconKt;->Icon-ww6aTOc(Landroidx/compose/ui/graphics/painter/Painter;Ljava/lang/String;Landroidx/compose/ui/Modifier;JLandroidx/compose/runtime/Composer;II)V @@ -3109,17 +3564,14 @@ PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveC PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveComponentEnforcement$1;->()V PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveComponentEnforcement$1;->invoke()Ljava/lang/Boolean; PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveComponentEnforcement$1;->invoke()Ljava/lang/Object; -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->()V -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->()V -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/MappedInteractionSource; +HSPLandroidx/compose/material3/MappedInteractionSource;->()V HPLandroidx/compose/material3/MappedInteractionSource;->(Landroidx/compose/foundation/interaction/InteractionSource;J)V HSPLandroidx/compose/material3/MappedInteractionSource;->(Landroidx/compose/foundation/interaction/InteractionSource;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material3/MappedInteractionSource;->getInteractions()Lkotlinx/coroutines/flow/Flow; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->(Lkotlinx/coroutines/flow/Flow;Landroidx/compose/material3/MappedInteractionSource;)V -HPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;Landroidx/compose/material3/MappedInteractionSource;)V Landroidx/compose/material3/MaterialRippleTheme; @@ -3139,17 +3591,28 @@ HPLandroidx/compose/material3/MaterialThemeKt;->MaterialTheme(Landroidx/compose/ HSPLandroidx/compose/material3/MaterialThemeKt;->access$getDefaultRippleAlpha$p()Landroidx/compose/material/ripple/RippleAlpha; HPLandroidx/compose/material3/MaterialThemeKt;->rememberTextSelectionColors(Landroidx/compose/material3/ColorScheme;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/text/selection/TextSelectionColors; Landroidx/compose/material3/MaterialThemeKt$MaterialTheme$1; -HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->(Landroidx/compose/material3/Typography;Lkotlin/jvm/functions/Function2;I)V +HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->(Landroidx/compose/material3/Typography;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/MaterialThemeKt$MaterialTheme$2; -HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$2;->(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/Shapes;Landroidx/compose/material3/Typography;Lkotlin/jvm/functions/Function2;II)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier;->(J)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier$measure$1;->(ILandroidx/compose/ui/layout/Placeable;I)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/material3/MinimumInteractiveModifier;->()V +PLandroidx/compose/material3/MinimumInteractiveModifier;->()V +PLandroidx/compose/material3/MinimumInteractiveModifier;->create()Landroidx/compose/material3/MinimumInteractiveModifierNode; +PLandroidx/compose/material3/MinimumInteractiveModifier;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/material3/MinimumInteractiveModifierNode;->()V +PLandroidx/compose/material3/MinimumInteractiveModifierNode;->()V +PLandroidx/compose/material3/MinimumInteractiveModifierNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +PLandroidx/compose/material3/MinimumInteractiveModifierNode$measure$1;->(ILandroidx/compose/ui/layout/Placeable;I)V +PLandroidx/compose/material3/MinimumInteractiveModifierNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLandroidx/compose/material3/MinimumInteractiveModifierNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/MutableWindowInsets; +HSPLandroidx/compose/material3/MutableWindowInsets;->()V +HSPLandroidx/compose/material3/MutableWindowInsets;->(Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/material3/MutableWindowInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I +HPLandroidx/compose/material3/MutableWindowInsets;->getInsets()Landroidx/compose/foundation/layout/WindowInsets; +HSPLandroidx/compose/material3/MutableWindowInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/material3/MutableWindowInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/material3/MutableWindowInsets;->getTop(Landroidx/compose/ui/unit/Density;)I +HSPLandroidx/compose/material3/MutableWindowInsets;->setInsets(Landroidx/compose/foundation/layout/WindowInsets;)V Landroidx/compose/material3/NavigationBarDefaults; HSPLandroidx/compose/material3/NavigationBarDefaults;->()V HSPLandroidx/compose/material3/NavigationBarDefaults;->()V @@ -3157,7 +3620,7 @@ HSPLandroidx/compose/material3/NavigationBarDefaults;->getElevation-D9Ej5fM()F HSPLandroidx/compose/material3/NavigationBarDefaults;->getWindowInsets(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/material3/NavigationBarItemColors; HSPLandroidx/compose/material3/NavigationBarItemColors;->()V -HPLandroidx/compose/material3/NavigationBarItemColors;->(JJJJJJJ)V +HSPLandroidx/compose/material3/NavigationBarItemColors;->(JJJJJJJ)V HSPLandroidx/compose/material3/NavigationBarItemColors;->(JJJJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material3/NavigationBarItemColors;->getIndicatorColor-0d7_KjU$material3_release()J HPLandroidx/compose/material3/NavigationBarItemColors;->iconColor$material3_release(ZZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; @@ -3165,37 +3628,44 @@ HPLandroidx/compose/material3/NavigationBarItemColors;->textColor$material3_rele Landroidx/compose/material3/NavigationBarItemDefaults; HSPLandroidx/compose/material3/NavigationBarItemDefaults;->()V HSPLandroidx/compose/material3/NavigationBarItemDefaults;->()V -HPLandroidx/compose/material3/NavigationBarItemDefaults;->colors-69fazGs(JJJJJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/NavigationBarItemColors; +HSPLandroidx/compose/material3/NavigationBarItemDefaults;->colors(Landroidx/compose/runtime/Composer;I)Landroidx/compose/material3/NavigationBarItemColors; +HSPLandroidx/compose/material3/NavigationBarItemDefaults;->getDefaultNavigationBarItemColors$material3_release(Landroidx/compose/material3/ColorScheme;)Landroidx/compose/material3/NavigationBarItemColors; Landroidx/compose/material3/NavigationBarKt; HSPLandroidx/compose/material3/NavigationBarKt;->()V HPLandroidx/compose/material3/NavigationBarKt;->NavigationBar-HsRjFd4(Landroidx/compose/ui/Modifier;JJFLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$3(Landroidx/compose/runtime/MutableState;)I -HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableState;I)V -HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$9$lambda$6(Landroidx/compose/runtime/State;)F +HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$3(Landroidx/compose/runtime/MutableIntState;)I +HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableIntState;I)V HPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem(Landroidx/compose/foundation/layout/RowScope;ZLkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/Modifier;ZLkotlin/jvm/functions/Function2;ZLandroidx/compose/material3/NavigationBarItemColors;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/runtime/Composer;II)V -HPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItemBaselineLayout(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ZFLandroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/NavigationBarKt;->access$NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableState;I)V -HSPLandroidx/compose/material3/NavigationBarKt;->access$NavigationBarItem$lambda$9$lambda$6(Landroidx/compose/runtime/State;)F +HPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItemLayout(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ZLkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/material3/NavigationBarKt;->access$NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableIntState;I)V HSPLandroidx/compose/material3/NavigationBarKt;->access$getIndicatorHorizontalPadding$p()F -HSPLandroidx/compose/material3/NavigationBarKt;->access$getIndicatorVerticalPadding$p()F HSPLandroidx/compose/material3/NavigationBarKt;->access$getNavigationBarHeight$p()F HSPLandroidx/compose/material3/NavigationBarKt;->access$placeLabelAndIcon-zUg2_y0(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;JZF)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/material3/NavigationBarKt;->getIndicatorVerticalPadding()F HSPLandroidx/compose/material3/NavigationBarKt;->getNavigationBarItemHorizontalPadding()F HPLandroidx/compose/material3/NavigationBarKt;->placeLabelAndIcon-zUg2_y0(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;JZF)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/material3/NavigationBarKt$NavigationBar$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->(Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;I)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->(Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBar$2; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$2;->(Landroidx/compose/ui/Modifier;JJFLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;II)V Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->(Landroidx/compose/runtime/MutableState;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->(Landroidx/compose/runtime/MutableIntState;)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->invoke-ozmzZPI(J)V +Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1;->(Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1;->invoke()Ljava/lang/Float; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1;->invoke()Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->(Landroidx/compose/material3/NavigationBarItemColors;Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->(Landroidx/compose/runtime/State;Landroidx/compose/material3/NavigationBarItemColors;)V HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1;->(Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicatorRipple$1; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicatorRipple$1;->(Landroidx/compose/material3/MappedInteractionSource;)V HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicatorRipple$1;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -3205,7 +3675,7 @@ HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$4;->(Landr HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$4;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$4;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1; -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZILkotlin/jvm/functions/Function2;ZLkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZLkotlin/jvm/functions/Function2;ZLkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->invoke$lambda$0(Landroidx/compose/runtime/State;)J HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -3213,19 +3683,19 @@ Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1$1; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1$1;->()V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1$1;->()V Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1; -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZILkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZLkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->invoke$lambda$0(Landroidx/compose/runtime/State;)J HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1;->(Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;I)V -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/NavigationBarKt$NavigationBarItemBaselineLayout$2; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemBaselineLayout$2;->(FLkotlin/jvm/functions/Function2;Z)V -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemBaselineLayout$2;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1;->(ZLkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$2$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$2$1;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function2;Z)V +HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$2$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1; -HPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->(Landroidx/compose/ui/layout/Placeable;ZFLandroidx/compose/ui/layout/Placeable;IIILandroidx/compose/ui/layout/Placeable;IILandroidx/compose/ui/layout/Placeable;IIILandroidx/compose/ui/layout/MeasureScope;)V +HPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->(Landroidx/compose/ui/layout/Placeable;ZFLandroidx/compose/ui/layout/Placeable;IFFLandroidx/compose/ui/layout/Placeable;IFLandroidx/compose/ui/layout/Placeable;IFILandroidx/compose/ui/layout/MeasureScope;)V HPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ProgressIndicatorDefaults; @@ -3243,10 +3713,10 @@ HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$getCircularEasing$p( HPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicator-42QJj7c(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V HSPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V HPLandroidx/compose/material3/ProgressIndicatorKt;->drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V -Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3; -HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3;->(JLandroidx/compose/ui/graphics/drawscope/Stroke;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;FJ)V -HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1; +HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->(JLandroidx/compose/ui/graphics/drawscope/Stroke;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;FJ)V +HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1; HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V @@ -3257,37 +3727,55 @@ HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$sta HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$startAngle$1;->()V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$startAngle$1;->invoke(Landroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;)V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$startAngle$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$1; +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$1;->()V +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$1;->()V +Landroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$2; +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$2;->()V +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$2;->()V +Landroidx/compose/material3/ProvideContentColorTextStyleKt; +HPLandroidx/compose/material3/ProvideContentColorTextStyleKt;->ProvideContentColorTextStyle-3J-VO9M(JLandroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V +Landroidx/compose/material3/ProvideContentColorTextStyleKt$ProvideContentColorTextStyle$1; +HSPLandroidx/compose/material3/ProvideContentColorTextStyleKt$ProvideContentColorTextStyle$1;->(JLandroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;I)V Landroidx/compose/material3/ScaffoldKt; HSPLandroidx/compose/material3/ScaffoldKt;->()V HPLandroidx/compose/material3/ScaffoldKt;->Scaffold-TvnljyQ(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IJJLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/material3/ScaffoldKt;->ScaffoldLayout-FMILGgc(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V +HPLandroidx/compose/material3/ScaffoldKt;->ScaffoldLayoutWithMeasureFix-FMILGgc(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/ScaffoldKt;->access$ScaffoldLayout-FMILGgc(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/ScaffoldKt;->getLocalFabPlacement()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLandroidx/compose/material3/ScaffoldKt;->getScaffoldSubcomposeInMeasureFix()Z Landroidx/compose/material3/ScaffoldKt$LocalFabPlacement$1; HSPLandroidx/compose/material3/ScaffoldKt$LocalFabPlacement$1;->()V HSPLandroidx/compose/material3/ScaffoldKt$LocalFabPlacement$1;->()V -Landroidx/compose/material3/ScaffoldKt$Scaffold$1; -HPLandroidx/compose/material3/ScaffoldKt$Scaffold$1;->(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;I)V -HPLandroidx/compose/material3/ScaffoldKt$Scaffold$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$Scaffold$1$1; +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1$1;->(Landroidx/compose/material3/MutableWindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1$1;->invoke(Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ScaffoldKt$Scaffold$2; -HPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IJJLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;II)V -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1; -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ILandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;ILkotlin/jvm/functions/Function3;)V -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1;->invoke-0kLqBqw(Landroidx/compose/ui/layout/SubcomposeMeasureScope;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1; -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1;->(Landroidx/compose/ui/layout/SubcomposeMeasureScope;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IILandroidx/compose/foundation/layout/WindowInsets;JLkotlin/jvm/functions/Function2;ILkotlin/jvm/functions/Function3;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1; -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/layout/SubcomposeMeasureScope;Ljava/util/List;ILjava/util/List;Ljava/lang/Integer;Lkotlin/jvm/functions/Function3;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1; -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1;->(Landroidx/compose/material3/FabPlacement;Lkotlin/jvm/functions/Function2;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/material3/MutableWindowInsets;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$Scaffold$3; +HPLandroidx/compose/material3/ScaffoldKt$Scaffold$3;->(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IJJLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;II)V +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1; +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1;->(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;I)V +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1; +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ILandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1;->invoke-0kLqBqw(Landroidx/compose/ui/layout/SubcomposeMeasureScope;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1; +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1;->(Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Landroidx/compose/material3/FabPlacement;IILandroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/layout/SubcomposeMeasureScope;IILjava/lang/Integer;Ljava/util/List;Ljava/lang/Integer;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1; +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/layout/SubcomposeMeasureScope;Ljava/util/List;ILjava/util/List;Ljava/lang/Integer;Lkotlin/jvm/functions/Function3;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1; +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1;->(Landroidx/compose/material3/FabPlacement;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ScaffoldLayoutContent; HSPLandroidx/compose/material3/ScaffoldLayoutContent;->$values()[Landroidx/compose/material3/ScaffoldLayoutContent; HSPLandroidx/compose/material3/ScaffoldLayoutContent;->()V @@ -3304,11 +3792,12 @@ Landroidx/compose/material3/Shapes; HSPLandroidx/compose/material3/Shapes;->()V HSPLandroidx/compose/material3/Shapes;->(Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;)V HSPLandroidx/compose/material3/Shapes;->(Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/material3/Shapes;->getSmall()Landroidx/compose/foundation/shape/CornerBasedShape; Landroidx/compose/material3/ShapesKt; HSPLandroidx/compose/material3/ShapesKt;->()V HPLandroidx/compose/material3/ShapesKt;->fromToken(Landroidx/compose/material3/Shapes;Landroidx/compose/material3/tokens/ShapeKeyTokens;)Landroidx/compose/ui/graphics/Shape; HSPLandroidx/compose/material3/ShapesKt;->getLocalShapes()Landroidx/compose/runtime/ProvidableCompositionLocal; -HPLandroidx/compose/material3/ShapesKt;->toShape(Landroidx/compose/material3/tokens/ShapeKeyTokens;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/graphics/Shape; +HPLandroidx/compose/material3/ShapesKt;->getValue(Landroidx/compose/material3/tokens/ShapeKeyTokens;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/graphics/Shape; Landroidx/compose/material3/ShapesKt$LocalShapes$1; HSPLandroidx/compose/material3/ShapesKt$LocalShapes$1;->()V HSPLandroidx/compose/material3/ShapesKt$LocalShapes$1;->()V @@ -3319,9 +3808,9 @@ HSPLandroidx/compose/material3/ShapesKt$WhenMappings;->()V Landroidx/compose/material3/SurfaceKt; HSPLandroidx/compose/material3/SurfaceKt;->()V HPLandroidx/compose/material3/SurfaceKt;->Surface-T9BRK9s(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JJFFLandroidx/compose/foundation/BorderStroke;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/SurfaceKt;->access$surface-8ww4TTg(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/material3/SurfaceKt;->access$surface-XO-JAsU(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/material3/SurfaceKt;->access$surfaceColorAtElevation-CLU3JFs(JFLandroidx/compose/runtime/Composer;I)J -HPLandroidx/compose/material3/SurfaceKt;->surface-8ww4TTg(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/material3/SurfaceKt;->surface-XO-JAsU(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; HPLandroidx/compose/material3/SurfaceKt;->surfaceColorAtElevation-CLU3JFs(JFLandroidx/compose/runtime/Composer;I)J Landroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1; HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->()V @@ -3329,20 +3818,21 @@ HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->( HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->invoke()Ljava/lang/Object; HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->invoke-D9Ej5fM()F Landroidx/compose/material3/SurfaceKt$Surface$1; -HPLandroidx/compose/material3/SurfaceKt$Surface$1;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JFILandroidx/compose/foundation/BorderStroke;FLkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/SurfaceKt$Surface$1;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JFLandroidx/compose/foundation/BorderStroke;FLkotlin/jvm/functions/Function2;)V HPLandroidx/compose/material3/SurfaceKt$Surface$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/material3/SurfaceKt$Surface$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/SurfaceKt$Surface$1$1; -HSPLandroidx/compose/material3/SurfaceKt$Surface$1$1;->()V -HSPLandroidx/compose/material3/SurfaceKt$Surface$1$1;->()V Landroidx/compose/material3/SurfaceKt$Surface$1$2; -HSPLandroidx/compose/material3/SurfaceKt$Surface$1$2;->(Lkotlin/coroutines/Continuation;)V +HSPLandroidx/compose/material3/SurfaceKt$Surface$1$2;->()V +HSPLandroidx/compose/material3/SurfaceKt$Surface$1$2;->()V +Landroidx/compose/material3/SurfaceKt$Surface$1$3; +HSPLandroidx/compose/material3/SurfaceKt$Surface$1$3;->(Lkotlin/coroutines/Continuation;)V Landroidx/compose/material3/SystemBarsDefaultInsets_androidKt; HPLandroidx/compose/material3/SystemBarsDefaultInsets_androidKt;->getSystemBarsForVisualComponents(Landroidx/compose/foundation/layout/WindowInsets$Companion;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/material3/TextKt; HSPLandroidx/compose/material3/TextKt;->()V HPLandroidx/compose/material3/TextKt;->ProvideTextStyle(Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/material3/TextKt;->Text--4IGK_g(Ljava/lang/String;Landroidx/compose/ui/Modifier;JJLandroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontFamily;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/text/style/TextAlign;JIZIILkotlin/jvm/functions/Function1;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/runtime/Composer;III)V +HSPLandroidx/compose/material3/TextKt;->getLocalTextStyle()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/material3/TextKt$LocalTextStyle$1; HSPLandroidx/compose/material3/TextKt$LocalTextStyle$1;->()V HSPLandroidx/compose/material3/TextKt$LocalTextStyle$1;->()V @@ -3351,26 +3841,23 @@ HSPLandroidx/compose/material3/TextKt$LocalTextStyle$1;->invoke()Ljava/lang/Obje Landroidx/compose/material3/TextKt$ProvideTextStyle$1; HSPLandroidx/compose/material3/TextKt$ProvideTextStyle$1;->(Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;I)V Landroidx/compose/material3/TextKt$Text$1; -HSPLandroidx/compose/material3/TextKt$Text$1;->()V -HSPLandroidx/compose/material3/TextKt$Text$1;->()V -HPLandroidx/compose/material3/TextKt$Text$1;->invoke(Landroidx/compose/ui/text/TextLayoutResult;)V -HPLandroidx/compose/material3/TextKt$Text$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/TextKt$Text$2; -HPLandroidx/compose/material3/TextKt$Text$2;->(Ljava/lang/String;Landroidx/compose/ui/Modifier;JJLandroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontFamily;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/text/style/TextAlign;JIZIILkotlin/jvm/functions/Function1;Landroidx/compose/ui/text/TextStyle;III)V +HPLandroidx/compose/material3/TextKt$Text$1;->(Ljava/lang/String;Landroidx/compose/ui/Modifier;JJLandroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontFamily;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/text/style/TextAlign;JIZIILkotlin/jvm/functions/Function1;Landroidx/compose/ui/text/TextStyle;III)V Landroidx/compose/material3/TopAppBarColors; HSPLandroidx/compose/material3/TopAppBarColors;->()V HSPLandroidx/compose/material3/TopAppBarColors;->(JJJJJ)V HSPLandroidx/compose/material3/TopAppBarColors;->(JJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material3/TopAppBarColors;->containerColor-XeAY9LY$material3_release(FLandroidx/compose/runtime/Composer;I)J +HSPLandroidx/compose/material3/TopAppBarColors;->containerColor-vNxB06k$material3_release(F)J +HPLandroidx/compose/material3/TopAppBarColors;->copy-t635Npw(JJJJJ)Landroidx/compose/material3/TopAppBarColors; HPLandroidx/compose/material3/TopAppBarColors;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/material3/TopAppBarColors;->getActionIconContentColor-0d7_KjU$material3_release()J -HSPLandroidx/compose/material3/TopAppBarColors;->getNavigationIconContentColor-0d7_KjU$material3_release()J -HSPLandroidx/compose/material3/TopAppBarColors;->getTitleContentColor-0d7_KjU$material3_release()J +HSPLandroidx/compose/material3/TopAppBarColors;->getActionIconContentColor-0d7_KjU()J +HSPLandroidx/compose/material3/TopAppBarColors;->getNavigationIconContentColor-0d7_KjU()J +HSPLandroidx/compose/material3/TopAppBarColors;->getTitleContentColor-0d7_KjU()J Landroidx/compose/material3/TopAppBarDefaults; HSPLandroidx/compose/material3/TopAppBarDefaults;->()V HSPLandroidx/compose/material3/TopAppBarDefaults;->()V HPLandroidx/compose/material3/TopAppBarDefaults;->centerAlignedTopAppBarColors-zjMxDiM(JJJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/TopAppBarColors; HPLandroidx/compose/material3/TopAppBarDefaults;->enterAlwaysScrollBehavior(Landroidx/compose/material3/TopAppBarState;Lkotlin/jvm/functions/Function0;Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/DecayAnimationSpec;Landroidx/compose/runtime/Composer;II)Landroidx/compose/material3/TopAppBarScrollBehavior; +HSPLandroidx/compose/material3/TopAppBarDefaults;->getDefaultCenterAlignedTopAppBarColors$material3_release(Landroidx/compose/material3/ColorScheme;)Landroidx/compose/material3/TopAppBarColors; HPLandroidx/compose/material3/TopAppBarDefaults;->getWindowInsets(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/material3/TopAppBarDefaults$enterAlwaysScrollBehavior$1; HSPLandroidx/compose/material3/TopAppBarDefaults$enterAlwaysScrollBehavior$1;->()V @@ -3380,7 +3867,7 @@ Landroidx/compose/material3/TopAppBarState; HSPLandroidx/compose/material3/TopAppBarState;->()V HSPLandroidx/compose/material3/TopAppBarState;->(FFF)V HSPLandroidx/compose/material3/TopAppBarState;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; -HPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F +HSPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F HSPLandroidx/compose/material3/TopAppBarState;->getHeightOffset()F HPLandroidx/compose/material3/TopAppBarState;->getHeightOffsetLimit()F HSPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F @@ -3409,8 +3896,8 @@ HSPLandroidx/compose/material3/Typography;->getLabelMedium()Landroidx/compose/ui HSPLandroidx/compose/material3/Typography;->getTitleLarge()Landroidx/compose/ui/text/TextStyle; Landroidx/compose/material3/TypographyKt; HSPLandroidx/compose/material3/TypographyKt;->()V -HPLandroidx/compose/material3/TypographyKt;->fromToken(Landroidx/compose/material3/Typography;Landroidx/compose/material3/tokens/TypographyKeyTokens;)Landroidx/compose/ui/text/TextStyle; -HPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLandroidx/compose/material3/TypographyKt;->fromToken(Landroidx/compose/material3/Typography;Landroidx/compose/material3/tokens/TypographyKeyTokens;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/material3/TypographyKt$LocalTypography$1; HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V @@ -3427,10 +3914,24 @@ Landroidx/compose/material3/tokens/ColorDarkTokens; HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->()V HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->()V HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getOutlineVariant-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceBright-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainer-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerHigh-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerHighest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerLow-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerLowest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceDim-0d7_KjU()J Landroidx/compose/material3/tokens/ColorLightTokens; HSPLandroidx/compose/material3/tokens/ColorLightTokens;->()V HSPLandroidx/compose/material3/tokens/ColorLightTokens;->()V HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getOutlineVariant-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceBright-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainer-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerHigh-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerHighest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerLow-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerLowest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceDim-0d7_KjU()J Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->$values()[Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->()V @@ -3438,6 +3939,7 @@ HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->(Ljava/lang/S HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->values()[Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; PLandroidx/compose/material3/tokens/ElevatedCardTokens;->()V PLandroidx/compose/material3/tokens/ElevatedCardTokens;->()V +PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getContainerColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getContainerElevation-D9Ej5fM()F PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getDisabledContainerColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getDisabledContainerElevation-D9Ej5fM()F @@ -3456,8 +3958,6 @@ Landroidx/compose/material3/tokens/IconButtonTokens; HSPLandroidx/compose/material3/tokens/IconButtonTokens;->()V HSPLandroidx/compose/material3/tokens/IconButtonTokens;->()V HSPLandroidx/compose/material3/tokens/IconButtonTokens;->getIconSize-D9Ej5fM()F -PLandroidx/compose/material3/tokens/IconButtonTokens;->getStateLayerShape()Landroidx/compose/material3/tokens/ShapeKeyTokens; -PLandroidx/compose/material3/tokens/IconButtonTokens;->getStateLayerSize-D9Ej5fM()F Landroidx/compose/material3/tokens/LinearProgressIndicatorTokens; HSPLandroidx/compose/material3/tokens/LinearProgressIndicatorTokens;->()V HSPLandroidx/compose/material3/tokens/LinearProgressIndicatorTokens;->()V @@ -3489,9 +3989,21 @@ HSPLandroidx/compose/material3/tokens/PaletteTokens;->getError80-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getError90-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral0-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral10-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral100-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral12-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral17-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral20-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral22-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral24-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral4-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral6-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral87-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral90-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral92-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral94-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral95-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral96-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral98-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral99-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutralVariant30-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutralVariant50-0d7_KjU()J @@ -3535,6 +4047,7 @@ HSPLandroidx/compose/material3/tokens/ShapeTokens;->getCornerSmall()Landroidx/co Landroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->()V HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->()V +HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getContainerColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getHeadlineColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getLeadingIconColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getTrailingIconColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; @@ -3724,17 +4237,19 @@ HPLandroidx/compose/runtime/AbstractApplier;->up()V Landroidx/compose/runtime/ActualAndroid_androidKt; HSPLandroidx/compose/runtime/ActualAndroid_androidKt;->()V HPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableFloatState(F)Landroidx/compose/runtime/MutableFloatState; -HSPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableIntState(I)Landroidx/compose/runtime/MutableIntState; +HPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableIntState(I)Landroidx/compose/runtime/MutableIntState; HSPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableLongState(J)Landroidx/compose/runtime/MutableLongState; HPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableState(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)Landroidx/compose/runtime/snapshots/SnapshotMutableState; +HPLandroidx/compose/runtime/ActualAndroid_androidKt;->getMainThreadId()J Landroidx/compose/runtime/ActualAndroid_androidKt$DefaultMonotonicFrameClock$2; HSPLandroidx/compose/runtime/ActualAndroid_androidKt$DefaultMonotonicFrameClock$2;->()V HSPLandroidx/compose/runtime/ActualAndroid_androidKt$DefaultMonotonicFrameClock$2;->()V Landroidx/compose/runtime/ActualJvm_jvmKt; +HPLandroidx/compose/runtime/ActualJvm_jvmKt;->currentThreadId()J HPLandroidx/compose/runtime/ActualJvm_jvmKt;->identityHashCode(Ljava/lang/Object;)I HPLandroidx/compose/runtime/ActualJvm_jvmKt;->invokeComposable(Landroidx/compose/runtime/Composer;Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/runtime/ActualJvm_jvmKt;->invokeComposableForResult(Landroidx/compose/runtime/Composer;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; Landroidx/compose/runtime/Anchor; +HSPLandroidx/compose/runtime/Anchor;->()V HPLandroidx/compose/runtime/Anchor;->(I)V HPLandroidx/compose/runtime/Anchor;->getLocation$runtime_release()I HPLandroidx/compose/runtime/Anchor;->getValid()Z @@ -3745,20 +4260,20 @@ Landroidx/compose/runtime/Applier; HSPLandroidx/compose/runtime/Applier;->onBeginChanges()V HSPLandroidx/compose/runtime/Applier;->onEndChanges()V Landroidx/compose/runtime/AtomicInt; -HSPLandroidx/compose/runtime/AtomicInt;->(I)V +HSPLandroidx/compose/runtime/AtomicInt;->()V +HPLandroidx/compose/runtime/AtomicInt;->(I)V HPLandroidx/compose/runtime/AtomicInt;->add(I)I Landroidx/compose/runtime/BroadcastFrameClock; HSPLandroidx/compose/runtime/BroadcastFrameClock;->()V HSPLandroidx/compose/runtime/BroadcastFrameClock;->(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; HSPLandroidx/compose/runtime/BroadcastFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLandroidx/compose/runtime/BroadcastFrameClock;->getHasAwaiters()Z HPLandroidx/compose/runtime/BroadcastFrameClock;->sendFrame(J)V -HPLandroidx/compose/runtime/BroadcastFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter; HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->resume(J)V @@ -3779,7 +4294,7 @@ HSPLandroidx/compose/runtime/ComposableSingletons$CompositionKt$lambda-2$1;->()V Landroidx/compose/runtime/ComposablesKt; HPLandroidx/compose/runtime/ComposablesKt;->getCurrentCompositeKeyHash(Landroidx/compose/runtime/Composer;I)I -HPLandroidx/compose/runtime/ComposablesKt;->rememberCompositionContext(Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/CompositionContext; +HSPLandroidx/compose/runtime/ComposablesKt;->rememberCompositionContext(Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/CompositionContext; Landroidx/compose/runtime/ComposeNodeLifecycleCallback; Landroidx/compose/runtime/Composer; HSPLandroidx/compose/runtime/Composer;->()V @@ -3790,19 +4305,17 @@ HPLandroidx/compose/runtime/Composer$Companion;->getEmpty()Ljava/lang/Object; Landroidx/compose/runtime/Composer$Companion$Empty$1; HSPLandroidx/compose/runtime/Composer$Companion$Empty$1;->()V Landroidx/compose/runtime/ComposerImpl; -HPLandroidx/compose/runtime/ComposerImpl;->(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/SlotTable;Ljava/util/Set;Ljava/util/List;Ljava/util/List;Landroidx/compose/runtime/ControlledComposition;)V -HSPLandroidx/compose/runtime/ComposerImpl;->access$getChanges$p(Landroidx/compose/runtime/ComposerImpl;)Ljava/util/List; +HSPLandroidx/compose/runtime/ComposerImpl;->()V +HPLandroidx/compose/runtime/ComposerImpl;->(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/SlotTable;Ljava/util/Set;Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/ControlledComposition;)V +HSPLandroidx/compose/runtime/ComposerImpl;->access$getChangeListWriter$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/changelist/ComposerChangeListWriter; HPLandroidx/compose/runtime/ComposerImpl;->access$getChildrenComposing$p(Landroidx/compose/runtime/ComposerImpl;)I HSPLandroidx/compose/runtime/ComposerImpl;->access$getNodeCountOverrides$p(Landroidx/compose/runtime/ComposerImpl;)[I HPLandroidx/compose/runtime/ComposerImpl;->access$getParentContext$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/CompositionContext; -HSPLandroidx/compose/runtime/ComposerImpl;->access$getReader$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/SlotReader; -HSPLandroidx/compose/runtime/ComposerImpl;->access$insertMovableContentGuarded$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I -HSPLandroidx/compose/runtime/ComposerImpl;->access$insertMovableContentGuarded$positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V +HSPLandroidx/compose/runtime/ComposerImpl;->access$getProviderUpdates$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/collection/IntMap; HSPLandroidx/compose/runtime/ComposerImpl;->access$invokeMovableContentLambda(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/MovableContent;Landroidx/compose/runtime/PersistentCompositionLocalMap;Ljava/lang/Object;Z)V -HSPLandroidx/compose/runtime/ComposerImpl;->access$setChanges$p(Landroidx/compose/runtime/ComposerImpl;Ljava/util/List;)V HPLandroidx/compose/runtime/ComposerImpl;->access$setChildrenComposing$p(Landroidx/compose/runtime/ComposerImpl;I)V HSPLandroidx/compose/runtime/ComposerImpl;->access$setNodeCountOverrides$p(Landroidx/compose/runtime/ComposerImpl;[I)V -HSPLandroidx/compose/runtime/ComposerImpl;->access$setReader$p(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/SlotReader;)V +HSPLandroidx/compose/runtime/ComposerImpl;->access$setProviderUpdates$p(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/collection/IntMap;)V HPLandroidx/compose/runtime/ComposerImpl;->addRecomposeScope()V HPLandroidx/compose/runtime/ComposerImpl;->apply(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->buildContext()Landroidx/compose/runtime/CompositionContext; @@ -3822,17 +4335,17 @@ HPLandroidx/compose/runtime/ComposerImpl;->createFreshInsertTable()V HPLandroidx/compose/runtime/ComposerImpl;->createNode(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/ComposerImpl;->currentCompositionLocalScope()Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl;->currentCompositionLocalScope(I)Landroidx/compose/runtime/PersistentCompositionLocalMap; -HPLandroidx/compose/runtime/ComposerImpl;->deactivateToEndGroup(Z)V -HPLandroidx/compose/runtime/ComposerImpl;->disableReusing()V +HPLandroidx/compose/runtime/ComposerImpl;->deactivate$runtime_release()V +PLandroidx/compose/runtime/ComposerImpl;->deactivateToEndGroup(Z)V HPLandroidx/compose/runtime/ComposerImpl;->dispose$runtime_release()V HPLandroidx/compose/runtime/ComposerImpl;->doCompose(Landroidx/compose/runtime/collection/IdentityArrayMap;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->doRecordDownsFor(II)V -HPLandroidx/compose/runtime/ComposerImpl;->enableReusing()V HPLandroidx/compose/runtime/ComposerImpl;->end(Z)V HPLandroidx/compose/runtime/ComposerImpl;->endDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->endGroup()V HSPLandroidx/compose/runtime/ComposerImpl;->endMovableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endNode()V +HPLandroidx/compose/runtime/ComposerImpl;->endProvider()V HPLandroidx/compose/runtime/ComposerImpl;->endProviders()V HPLandroidx/compose/runtime/ComposerImpl;->endReplaceableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endRestartGroup()Landroidx/compose/runtime/ScopeUpdateScope; @@ -3848,61 +4361,41 @@ HPLandroidx/compose/runtime/ComposerImpl;->getAreChildrenComposing$runtime_relea HPLandroidx/compose/runtime/ComposerImpl;->getComposition()Landroidx/compose/runtime/ControlledComposition; HPLandroidx/compose/runtime/ComposerImpl;->getCompoundKeyHash()I HPLandroidx/compose/runtime/ComposerImpl;->getCurrentCompositionLocalMap()Landroidx/compose/runtime/CompositionLocalMap; +HPLandroidx/compose/runtime/ComposerImpl;->getCurrentRecomposeScope$runtime_release()Landroidx/compose/runtime/RecomposeScopeImpl; HSPLandroidx/compose/runtime/ComposerImpl;->getDefaultsInvalid()Z -PLandroidx/compose/runtime/ComposerImpl;->getDeferredChanges$runtime_release()Ljava/util/List; +PLandroidx/compose/runtime/ComposerImpl;->getDeferredChanges$runtime_release()Landroidx/compose/runtime/changelist/ChangeList; HPLandroidx/compose/runtime/ComposerImpl;->getInserting()Z HPLandroidx/compose/runtime/ComposerImpl;->getNode(Landroidx/compose/runtime/SlotReader;)Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerImpl;->getReader$runtime_release()Landroidx/compose/runtime/SlotReader; HPLandroidx/compose/runtime/ComposerImpl;->getRecomposeScope()Landroidx/compose/runtime/RecomposeScope; HPLandroidx/compose/runtime/ComposerImpl;->getSkipping()Z HPLandroidx/compose/runtime/ComposerImpl;->groupCompoundKeyPart(Landroidx/compose/runtime/SlotReader;I)I HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContent(Landroidx/compose/runtime/MovableContent;Ljava/lang/Object;)V -HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded$currentNodeIndex(Landroidx/compose/runtime/SlotWriter;)I -HPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I -HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded$positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V HPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded(Ljava/util/List;)V HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentReferences(Ljava/util/List;)V HSPLandroidx/compose/runtime/ComposerImpl;->insertedGroupVirtualIndex(I)I HPLandroidx/compose/runtime/ComposerImpl;->invokeMovableContentLambda(Landroidx/compose/runtime/MovableContent;Landroidx/compose/runtime/PersistentCompositionLocalMap;Ljava/lang/Object;Z)V HPLandroidx/compose/runtime/ComposerImpl;->isComposing$runtime_release()Z HPLandroidx/compose/runtime/ComposerImpl;->nextSlot()Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerImpl;->nextSlotForCache()Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerImpl;->nodeAt(Landroidx/compose/runtime/SlotReader;I)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerImpl;->nodeIndexOf(IIII)I PLandroidx/compose/runtime/ComposerImpl;->prepareCompose$runtime_release(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeDowns()V -HPLandroidx/compose/runtime/ComposerImpl;->realizeDowns([Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeMovement()V -HPLandroidx/compose/runtime/ComposerImpl;->realizeOperationLocation$default(Landroidx/compose/runtime/ComposerImpl;ZILjava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeOperationLocation(Z)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeUps()V HPLandroidx/compose/runtime/ComposerImpl;->recompose$runtime_release(Landroidx/compose/runtime/collection/IdentityArrayMap;)Z HSPLandroidx/compose/runtime/ComposerImpl;->recomposeMovableContent$default(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/ControlledComposition;Ljava/lang/Integer;Ljava/util/List;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerImpl;->recomposeMovableContent(Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/ControlledComposition;Ljava/lang/Integer;Ljava/util/List;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerImpl;->recomposeToGroupEnd()V -HPLandroidx/compose/runtime/ComposerImpl;->record(Lkotlin/jvm/functions/Function3;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordApplierOperation(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/runtime/ComposerImpl;->recordDelete()V -HPLandroidx/compose/runtime/ComposerImpl;->recordDown(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordEndGroup()V -HPLandroidx/compose/runtime/ComposerImpl;->recordEndRoot()V -HPLandroidx/compose/runtime/ComposerImpl;->recordFixup(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/runtime/ComposerImpl;->recordInsert(Landroidx/compose/runtime/Anchor;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordInsertUpFixup(Lkotlin/jvm/functions/Function3;)V -PLandroidx/compose/runtime/ComposerImpl;->recordReaderMoving(I)V -HSPLandroidx/compose/runtime/ComposerImpl;->recordRemoveNode(II)V HPLandroidx/compose/runtime/ComposerImpl;->recordSideEffect(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordSlotEditing()V -HPLandroidx/compose/runtime/ComposerImpl;->recordSlotEditingOperation(Lkotlin/jvm/functions/Function3;)V -HSPLandroidx/compose/runtime/ComposerImpl;->recordSlotTableOperation$default(Landroidx/compose/runtime/ComposerImpl;ZLkotlin/jvm/functions/Function3;ILjava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordSlotTableOperation(ZLkotlin/jvm/functions/Function3;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordUp()V HPLandroidx/compose/runtime/ComposerImpl;->recordUpsAndDowns(III)V HPLandroidx/compose/runtime/ComposerImpl;->recordUsed(Landroidx/compose/runtime/RecomposeScope;)V -HPLandroidx/compose/runtime/ComposerImpl;->registerInsertUpFixup()V HPLandroidx/compose/runtime/ComposerImpl;->rememberedValue()Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent$reportGroup(Landroidx/compose/runtime/ComposerImpl;IZI)I HSPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent(I)V +HSPLandroidx/compose/runtime/ComposerImpl;->setReader$runtime_release(Landroidx/compose/runtime/SlotReader;)V HPLandroidx/compose/runtime/ComposerImpl;->skipCurrentGroup()V -HPLandroidx/compose/runtime/ComposerImpl;->skipGroup()V +HSPLandroidx/compose/runtime/ComposerImpl;->skipGroup()V HPLandroidx/compose/runtime/ComposerImpl;->skipReaderToGroupEnd()V HPLandroidx/compose/runtime/ComposerImpl;->skipToGroupEnd()V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformation(Ljava/lang/String;)V @@ -3913,7 +4406,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(I)V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(ILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->startMovableGroup(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->startNode()V +HPLandroidx/compose/runtime/ComposerImpl;->startProvider(Landroidx/compose/runtime/ProvidedValue;)V HPLandroidx/compose/runtime/ComposerImpl;->startProviders([Landroidx/compose/runtime/ProvidedValue;)V HPLandroidx/compose/runtime/ComposerImpl;->startReaderGroup(ZLjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->startReplaceableGroup(I)V @@ -3922,6 +4415,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startReusableGroup(ILjava/lang/Object HPLandroidx/compose/runtime/ComposerImpl;->startReusableNode()V HPLandroidx/compose/runtime/ComposerImpl;->startRoot()V HPLandroidx/compose/runtime/ComposerImpl;->tryImminentInvalidation$runtime_release(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroup(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroupKeyHash(I)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeExitGroup(ILjava/lang/Object;Ljava/lang/Object;)V @@ -3930,26 +4424,26 @@ HPLandroidx/compose/runtime/ComposerImpl;->updateNodeCount(II)V HPLandroidx/compose/runtime/ComposerImpl;->updateNodeCountOverrides(II)V HPLandroidx/compose/runtime/ComposerImpl;->updateProviderMapGroup(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/PersistentCompositionLocalMap;)Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl;->updateRememberedValue(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/ComposerImpl;->updateSlot(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updatedNodeCount(I)I HPLandroidx/compose/runtime/ComposerImpl;->useNode()V HPLandroidx/compose/runtime/ComposerImpl;->validateNodeExpected()V HPLandroidx/compose/runtime/ComposerImpl;->validateNodeNotExpected()V Landroidx/compose/runtime/ComposerImpl$CompositionContextHolder; -HPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->(Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl;)V +HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->(Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl;)V HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->getRef()Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl; -PLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->onForgotten()V -HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->onRemembered()V Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl; -HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->(Landroidx/compose/runtime/ComposerImpl;IZ)V +HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->(Landroidx/compose/runtime/ComposerImpl;IZZLandroidx/compose/runtime/CompositionObserverHolder;)V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->composeInitial$runtime_release(Landroidx/compose/runtime/ControlledComposition;Lkotlin/jvm/functions/Function2;)V -PLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->dispose()V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->doneComposing$runtime_release()V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCollectingParameterInformation$runtime_release()Z +HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCollectingSourceInformation$runtime_release()Z HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCompositionLocalScope$runtime_release()Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCompositionLocalScope()Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCompoundHashKey$runtime_release()I HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getEffectCoroutineContext()Lkotlin/coroutines/CoroutineContext; +HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getObserverHolder$runtime_release()Landroidx/compose/runtime/CompositionObserverHolder; HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->invalidate$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->registerComposer$runtime_release(Landroidx/compose/runtime/Composer;)V HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->setCompositionLocalScope(Landroidx/compose/runtime/PersistentCompositionLocalMap;)V @@ -3957,121 +4451,29 @@ HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->startComposing HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->unregisterComposer$runtime_release(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->unregisterComposition$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->updateCompositionLocalScope(Landroidx/compose/runtime/PersistentCompositionLocalMap;)V -Landroidx/compose/runtime/ComposerImpl$apply$operation$1; -HPLandroidx/compose/runtime/ComposerImpl$apply$operation$1;->(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl$apply$operation$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$apply$operation$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$createNode$2; -HPLandroidx/compose/runtime/ComposerImpl$createNode$2;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Anchor;I)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$createNode$3; -HPLandroidx/compose/runtime/ComposerImpl$createNode$3;->(Landroidx/compose/runtime/Anchor;I)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$3;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$2;->(Ljava/lang/Object;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3;->(Landroidx/compose/runtime/ComposerImpl;I)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3;->invoke(ILjava/lang/Object;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$1;->(Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$2;->(Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/ComposerImpl$derivedStateObserver$1; HPLandroidx/compose/runtime/ComposerImpl$derivedStateObserver$1;->(Landroidx/compose/runtime/ComposerImpl;)V HPLandroidx/compose/runtime/ComposerImpl$derivedStateObserver$1;->done(Landroidx/compose/runtime/DerivedState;)V HPLandroidx/compose/runtime/ComposerImpl$derivedStateObserver$1;->start(Landroidx/compose/runtime/DerivedState;)V -Landroidx/compose/runtime/ComposerImpl$doCompose$lambda$38$$inlined$sortBy$1; -HSPLandroidx/compose/runtime/ComposerImpl$doCompose$lambda$38$$inlined$sortBy$1;->()V -HSPLandroidx/compose/runtime/ComposerImpl$doCompose$lambda$38$$inlined$sortBy$1;->compare(Ljava/lang/Object;Ljava/lang/Object;)I -PLandroidx/compose/runtime/ComposerImpl$endRestartGroup$1$1;->(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/ComposerImpl;)V -PLandroidx/compose/runtime/ComposerImpl$endRestartGroup$1$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$endRestartGroup$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Landroidx/compose/runtime/Anchor;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1;->(Landroidx/compose/runtime/ComposerImpl;Ljava/util/List;Landroidx/compose/runtime/SlotReader;Landroidx/compose/runtime/MovableContentStateReference;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1;->invoke()V -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2;->(Lkotlin/jvm/internal/Ref$IntRef;Ljava/util/List;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->()V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->()V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1; +HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1;->(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/SlotReader;Landroidx/compose/runtime/MovableContentStateReference;)V +HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1;->invoke()V Landroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1; HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->(Landroidx/compose/runtime/MovableContent;Ljava/lang/Object;)V HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$realizeDowns$1; -HSPLandroidx/compose/runtime/ComposerImpl$realizeDowns$1;->([Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeDowns$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeDowns$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$realizeMovement$1;->(II)V -PLandroidx/compose/runtime/ComposerImpl$realizeMovement$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$realizeMovement$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2; -HPLandroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2;->(I)V -HPLandroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$realizeUps$1; -HSPLandroidx/compose/runtime/ComposerImpl$realizeUps$1;->(I)V -HPLandroidx/compose/runtime/ComposerImpl$realizeUps$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeUps$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordInsert$1; -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$1;->(Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/Anchor;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordInsert$2; -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$2;->(Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/Anchor;Ljava/util/List;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordSideEffect$1; -HPLandroidx/compose/runtime/ComposerImpl$recordSideEffect$1;->(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSideEffect$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSideEffect$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordSlotEditing$1; -HSPLandroidx/compose/runtime/ComposerImpl$recordSlotEditing$1;->(Landroidx/compose/runtime/Anchor;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSlotEditing$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSlotEditing$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$start$2; -Landroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1; -HPLandroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1;->([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;)V -HPLandroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1;->invoke(Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/PersistentCompositionLocalMap; -HPLandroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$startReaderGroup$1;->(Ljava/lang/Object;)V -PLandroidx/compose/runtime/ComposerImpl$startReaderGroup$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$startReaderGroup$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$updateValue$1; -HPLandroidx/compose/runtime/ComposerImpl$updateValue$1;->(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$updateValue$2; -HPLandroidx/compose/runtime/ComposerImpl$updateValue$2;->(Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/ComposerKt; +HSPLandroidx/compose/runtime/ComposerKt;->$r8$lambda$kSVdS0_EjXVhjdybgvOrZP-jexQ(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HSPLandroidx/compose/runtime/ComposerKt;->()V +HSPLandroidx/compose/runtime/ComposerKt;->InvalidationLocationAscending$lambda$15(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HPLandroidx/compose/runtime/ComposerKt;->access$asBool(I)Z HPLandroidx/compose/runtime/ComposerKt;->access$asInt(Z)I HPLandroidx/compose/runtime/ComposerKt;->access$firstInRange(Ljava/util/List;II)Landroidx/compose/runtime/Invalidation; -HSPLandroidx/compose/runtime/ComposerKt;->access$getEndGroupInstance$p()Lkotlin/jvm/functions/Function3; +HPLandroidx/compose/runtime/ComposerKt;->access$getInvalidationLocationAscending$p()Ljava/util/Comparator; PLandroidx/compose/runtime/ComposerKt;->access$getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerKt;->access$getRemoveCurrentGroupInstance$p()Lkotlin/jvm/functions/Function3; -HSPLandroidx/compose/runtime/ComposerKt;->access$getResetSlotsInstance$p()Lkotlin/jvm/functions/Function3; -HSPLandroidx/compose/runtime/ComposerKt;->access$getSkipToGroupEndInstance$p()Lkotlin/jvm/functions/Function3; -HSPLandroidx/compose/runtime/ComposerKt;->access$getStartRootGroup$p()Lkotlin/jvm/functions/Function3; -HPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; +HSPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; HPLandroidx/compose/runtime/ComposerKt;->access$nearestCommonRootOf(Landroidx/compose/runtime/SlotReader;III)I HPLandroidx/compose/runtime/ComposerKt;->access$pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->access$put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z @@ -4079,6 +4481,7 @@ HPLandroidx/compose/runtime/ComposerKt;->access$removeLocation(Ljava/util/List;I HSPLandroidx/compose/runtime/ComposerKt;->access$removeRange(Ljava/util/List;II)V HSPLandroidx/compose/runtime/ComposerKt;->asBool(I)Z HSPLandroidx/compose/runtime/ComposerKt;->asInt(Z)I +HPLandroidx/compose/runtime/ComposerKt;->deactivateCurrentGroup(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V HSPLandroidx/compose/runtime/ComposerKt;->distanceFrom(Landroidx/compose/runtime/SlotReader;II)I HPLandroidx/compose/runtime/ComposerKt;->findInsertLocation(Ljava/util/List;I)I HPLandroidx/compose/runtime/ComposerKt;->findLocation(Ljava/util/List;I)I @@ -4087,8 +4490,7 @@ HPLandroidx/compose/runtime/ComposerKt;->getCompositionLocalMap()Ljava/lang/Obje HPLandroidx/compose/runtime/ComposerKt;->getInvocation()Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->getProvider()Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerKt;->getProviderValues()Ljava/lang/Object; +HSPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerKt;->getReference()Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->isTraceInProgress()Z @@ -4097,71 +4499,56 @@ HPLandroidx/compose/runtime/ComposerKt;->nearestCommonRootOf(Landroidx/compose/r HPLandroidx/compose/runtime/ComposerKt;->pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z HPLandroidx/compose/runtime/ComposerKt;->removeCurrentGroup(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/ComposerKt;->removeData(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->removeLocation(Ljava/util/List;I)Landroidx/compose/runtime/Invalidation; HSPLandroidx/compose/runtime/ComposerKt;->removeRange(Ljava/util/List;II)V HPLandroidx/compose/runtime/ComposerKt;->runtimeCheck(Z)V HPLandroidx/compose/runtime/ComposerKt;->sourceInformation(Landroidx/compose/runtime/Composer;Ljava/lang/String;)V HPLandroidx/compose/runtime/ComposerKt;->sourceInformationMarkerEnd(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/ComposerKt;->sourceInformationMarkerStart(Landroidx/compose/runtime/Composer;ILjava/lang/String;)V -Landroidx/compose/runtime/ComposerKt$endGroupInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->()V -HPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->()V -HPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$resetSlotsInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$startRootGroup$1; -HSPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->()V -HPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/ComposerKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/runtime/ComposerKt$$ExternalSyntheticLambda0;->()V +HSPLandroidx/compose/runtime/ComposerKt$$ExternalSyntheticLambda0;->compare(Ljava/lang/Object;Ljava/lang/Object;)I Landroidx/compose/runtime/Composition; Landroidx/compose/runtime/CompositionContext; HSPLandroidx/compose/runtime/CompositionContext;->()V HSPLandroidx/compose/runtime/CompositionContext;->()V HSPLandroidx/compose/runtime/CompositionContext;->doneComposing$runtime_release()V HSPLandroidx/compose/runtime/CompositionContext;->getCompositionLocalScope$runtime_release()Landroidx/compose/runtime/PersistentCompositionLocalMap; -HPLandroidx/compose/runtime/CompositionContext;->registerComposer$runtime_release(Landroidx/compose/runtime/Composer;)V +HSPLandroidx/compose/runtime/CompositionContext;->getObserverHolder$runtime_release()Landroidx/compose/runtime/CompositionObserverHolder; +HSPLandroidx/compose/runtime/CompositionContext;->registerComposer$runtime_release(Landroidx/compose/runtime/Composer;)V HSPLandroidx/compose/runtime/CompositionContext;->startComposing$runtime_release()V PLandroidx/compose/runtime/CompositionContext;->unregisterComposer$runtime_release(Landroidx/compose/runtime/Composer;)V Landroidx/compose/runtime/CompositionContextKt; HSPLandroidx/compose/runtime/CompositionContextKt;->()V HSPLandroidx/compose/runtime/CompositionContextKt;->access$getEmptyPersistentCompositionLocalMap$p()Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/CompositionImpl; +HSPLandroidx/compose/runtime/CompositionImpl;->()V HPLandroidx/compose/runtime/CompositionImpl;->(Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/Applier;Lkotlin/coroutines/CoroutineContext;)V HSPLandroidx/compose/runtime/CompositionImpl;->(Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/Applier;Lkotlin/coroutines/CoroutineContext;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/runtime/CompositionImpl;->access$getObservations$p(Landroidx/compose/runtime/CompositionImpl;)Landroidx/compose/runtime/collection/ScopeMap; HPLandroidx/compose/runtime/CompositionImpl;->addPendingInvalidationsLocked(Ljava/util/HashSet;Ljava/lang/Object;Z)Ljava/util/HashSet; HPLandroidx/compose/runtime/CompositionImpl;->addPendingInvalidationsLocked(Ljava/util/Set;Z)V HPLandroidx/compose/runtime/CompositionImpl;->applyChanges()V -HPLandroidx/compose/runtime/CompositionImpl;->applyChangesInLocked(Ljava/util/List;)V +HPLandroidx/compose/runtime/CompositionImpl;->applyChangesInLocked(Landroidx/compose/runtime/changelist/ChangeList;)V HPLandroidx/compose/runtime/CompositionImpl;->applyLateChanges()V HPLandroidx/compose/runtime/CompositionImpl;->changesApplied()V HPLandroidx/compose/runtime/CompositionImpl;->cleanUpDerivedStateObservations()V HPLandroidx/compose/runtime/CompositionImpl;->composeContent(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/CompositionImpl;->composeInitial(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/CompositionImpl;->dispose()V HPLandroidx/compose/runtime/CompositionImpl;->drainPendingModificationsForCompositionLocked()V HPLandroidx/compose/runtime/CompositionImpl;->drainPendingModificationsLocked()V HPLandroidx/compose/runtime/CompositionImpl;->getAreChildrenComposing()Z HPLandroidx/compose/runtime/CompositionImpl;->getHasInvalidations()Z +HSPLandroidx/compose/runtime/CompositionImpl;->getObserverHolder$runtime_release()Landroidx/compose/runtime/CompositionObserverHolder; HSPLandroidx/compose/runtime/CompositionImpl;->insertMovableContent(Ljava/util/List;)V HPLandroidx/compose/runtime/CompositionImpl;->invalidate(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HPLandroidx/compose/runtime/CompositionImpl;->invalidateChecked(Landroidx/compose/runtime/RecomposeScopeImpl;Landroidx/compose/runtime/Anchor;Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HPLandroidx/compose/runtime/CompositionImpl;->invalidateScopeOfLocked(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->isComposing()Z HSPLandroidx/compose/runtime/CompositionImpl;->isDisposed()Z +HPLandroidx/compose/runtime/CompositionImpl;->observer()Landroidx/compose/runtime/tooling/CompositionObserver; PLandroidx/compose/runtime/CompositionImpl;->observesAnyOf(Ljava/util/Set;)Z PLandroidx/compose/runtime/CompositionImpl;->prepareCompose(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/CompositionImpl;->recompose()Z @@ -4169,7 +4556,7 @@ HPLandroidx/compose/runtime/CompositionImpl;->recomposeScopeReleased(Landroidx/c HPLandroidx/compose/runtime/CompositionImpl;->recordModificationsOf(Ljava/util/Set;)V HPLandroidx/compose/runtime/CompositionImpl;->recordReadOf(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->recordWriteOf(Ljava/lang/Object;)V -PLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V +HSPLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->setContent(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/CompositionImpl;->takeInvalidations()Landroidx/compose/runtime/collection/IdentityArrayMap; HPLandroidx/compose/runtime/CompositionImpl;->tryImminentInvalidation(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z @@ -4185,16 +4572,20 @@ HPLandroidx/compose/runtime/CompositionImpl$RememberEventDispatcher;->rememberin HPLandroidx/compose/runtime/CompositionImpl$RememberEventDispatcher;->sideEffect(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/runtime/CompositionKt; HSPLandroidx/compose/runtime/CompositionKt;->()V -HPLandroidx/compose/runtime/CompositionKt;->Composition(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/Composition; +HSPLandroidx/compose/runtime/CompositionKt;->Composition(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/Composition; +HPLandroidx/compose/runtime/CompositionKt;->ReusableComposition(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/ReusableComposition; HSPLandroidx/compose/runtime/CompositionKt;->access$addValue(Landroidx/compose/runtime/collection/IdentityArrayMap;Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionKt;->access$getPendingApplyNoModifications$p()Ljava/lang/Object; HPLandroidx/compose/runtime/CompositionKt;->addValue(Landroidx/compose/runtime/collection/IdentityArrayMap;Ljava/lang/Object;Ljava/lang/Object;)V +Landroidx/compose/runtime/CompositionKt$CompositionImplServiceKey$1; +HSPLandroidx/compose/runtime/CompositionKt$CompositionImplServiceKey$1;->()V Landroidx/compose/runtime/CompositionLocal; HSPLandroidx/compose/runtime/CompositionLocal;->()V HSPLandroidx/compose/runtime/CompositionLocal;->(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/runtime/CompositionLocal;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/CompositionLocal;->getDefaultValueHolder$runtime_release()Landroidx/compose/runtime/LazyValueHolder; Landroidx/compose/runtime/CompositionLocalKt; +HPLandroidx/compose/runtime/CompositionLocalKt;->CompositionLocalProvider(Landroidx/compose/runtime/ProvidedValue;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/runtime/CompositionLocalKt;->CompositionLocalProvider([Landroidx/compose/runtime/ProvidedValue;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/runtime/CompositionLocalKt;->compositionLocalOf$default(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/runtime/CompositionLocalKt;->compositionLocalOf(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -4206,14 +4597,24 @@ HSPLandroidx/compose/runtime/CompositionLocalMap$Companion;->()V HSPLandroidx/compose/runtime/CompositionLocalMap$Companion;->()V HPLandroidx/compose/runtime/CompositionLocalMap$Companion;->getEmpty()Landroidx/compose/runtime/CompositionLocalMap; Landroidx/compose/runtime/CompositionLocalMapKt; -HPLandroidx/compose/runtime/CompositionLocalMapKt;->compositionLocalMapOf([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/CompositionLocalMapKt;->contains(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/CompositionLocal;)Z HPLandroidx/compose/runtime/CompositionLocalMapKt;->getValueOf(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/CompositionLocalMapKt;->read(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; +HPLandroidx/compose/runtime/CompositionLocalMapKt;->updateCompositionMap$default([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/PersistentCompositionLocalMap;ILjava/lang/Object;)Landroidx/compose/runtime/PersistentCompositionLocalMap; +HPLandroidx/compose/runtime/CompositionLocalMapKt;->updateCompositionMap([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/PersistentCompositionLocalMap;)Landroidx/compose/runtime/PersistentCompositionLocalMap; +Landroidx/compose/runtime/CompositionObserverHolder; +HSPLandroidx/compose/runtime/CompositionObserverHolder;->()V +HPLandroidx/compose/runtime/CompositionObserverHolder;->(Landroidx/compose/runtime/tooling/CompositionObserver;Z)V +HSPLandroidx/compose/runtime/CompositionObserverHolder;->(Landroidx/compose/runtime/tooling/CompositionObserver;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/runtime/CompositionObserverHolder;->getObserver()Landroidx/compose/runtime/tooling/CompositionObserver; +HPLandroidx/compose/runtime/CompositionObserverHolder;->getRoot()Z +PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->()V PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->(Lkotlinx/coroutines/CoroutineScope;)V PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->getCoroutineScope()Lkotlinx/coroutines/CoroutineScope; PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->onForgotten()V PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->onRemembered()V +Landroidx/compose/runtime/CompositionServiceKey; +Landroidx/compose/runtime/CompositionServices; Landroidx/compose/runtime/ControlledComposition; Landroidx/compose/runtime/DerivedSnapshotState; HPLandroidx/compose/runtime/DerivedSnapshotState;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/SnapshotMutationPolicy;)V @@ -4223,7 +4624,7 @@ HPLandroidx/compose/runtime/DerivedSnapshotState;->getCurrentRecord()Landroidx/c HSPLandroidx/compose/runtime/DerivedSnapshotState;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState;->getPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/DerivedSnapshotState;->getValue()Ljava/lang/Object; -HSPLandroidx/compose/runtime/DerivedSnapshotState;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V +HPLandroidx/compose/runtime/DerivedSnapshotState;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V Landroidx/compose/runtime/DerivedSnapshotState$ResultRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->()V HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->()V @@ -4231,24 +4632,23 @@ HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->access$getUnset HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getCurrentValue()Ljava/lang/Object; -HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()[Ljava/lang/Object; +HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; -HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->get_dependencies()Landroidx/compose/runtime/collection/IdentityArrayMap; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->isValid(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)Z HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->readableHash(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)I +HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setDependencies(Landroidx/collection/ObjectIntMap;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setResult(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setResultHash(I)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setValidSnapshotId(I)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setValidSnapshotWriteCount(I)V -HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->set_dependencies(Landroidx/compose/runtime/collection/IdentityArrayMap;)V Landroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion;->()V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion;->getUnset()Ljava/lang/Object; -Landroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1; -HSPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1;->(Landroidx/compose/runtime/DerivedSnapshotState;Landroidx/compose/runtime/collection/IdentityArrayMap;I)V -HSPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1;->invoke(Ljava/lang/Object;)V +Landroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1; +HPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1;->(Landroidx/compose/runtime/DerivedSnapshotState;Landroidx/compose/runtime/internal/IntRef;Landroidx/collection/MutableObjectIntMap;I)V +HSPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1;->invoke(Ljava/lang/Object;)V Landroidx/compose/runtime/DerivedState; Landroidx/compose/runtime/DerivedState$Record; Landroidx/compose/runtime/DerivedStateObserver; @@ -4261,9 +4661,9 @@ Landroidx/compose/runtime/DisposableEffectScope; HSPLandroidx/compose/runtime/DisposableEffectScope;->()V HSPLandroidx/compose/runtime/DisposableEffectScope;->()V Landroidx/compose/runtime/DynamicProvidableCompositionLocal; +HSPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->()V HSPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->access$getPolicy$p(Landroidx/compose/runtime/DynamicProvidableCompositionLocal;)Landroidx/compose/runtime/SnapshotMutationPolicy; -HPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->provided$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->updatedStateOf$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/State;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/EffectsKt; HSPLandroidx/compose/runtime/EffectsKt;->()V HPLandroidx/compose/runtime/EffectsKt;->DisposableEffect(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V @@ -4293,7 +4693,9 @@ HSPLandroidx/compose/runtime/GroupKind$Companion;->(Lkotlin/jvm/internal/D HPLandroidx/compose/runtime/GroupKind$Companion;->getGroup-ULZAiWs()I HPLandroidx/compose/runtime/GroupKind$Companion;->getNode-ULZAiWs()I HPLandroidx/compose/runtime/GroupKind$Companion;->getReusableNode-ULZAiWs()I +Landroidx/compose/runtime/GroupSourceInformation; Landroidx/compose/runtime/IntStack; +HSPLandroidx/compose/runtime/IntStack;->()V HPLandroidx/compose/runtime/IntStack;->()V HPLandroidx/compose/runtime/IntStack;->clear()V HPLandroidx/compose/runtime/IntStack;->getSize()I @@ -4314,22 +4716,26 @@ HSPLandroidx/compose/runtime/InvalidationResult;->$values()[Landroidx/compose/ru HSPLandroidx/compose/runtime/InvalidationResult;->()V HSPLandroidx/compose/runtime/InvalidationResult;->(Ljava/lang/String;I)V Landroidx/compose/runtime/KeyInfo; +HSPLandroidx/compose/runtime/KeyInfo;->()V HPLandroidx/compose/runtime/KeyInfo;->(ILjava/lang/Object;III)V PLandroidx/compose/runtime/KeyInfo;->getKey()I HPLandroidx/compose/runtime/KeyInfo;->getLocation()I PLandroidx/compose/runtime/KeyInfo;->getNodes()I PLandroidx/compose/runtime/KeyInfo;->getObjectKey()Ljava/lang/Object; Landroidx/compose/runtime/Latch; +HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Latch;->closeLatch()V -HSPLandroidx/compose/runtime/Latch;->isOpen()Z +HPLandroidx/compose/runtime/Latch;->isOpen()Z HSPLandroidx/compose/runtime/Latch;->openLatch()V Landroidx/compose/runtime/LaunchedEffectImpl; +HSPLandroidx/compose/runtime/LaunchedEffectImpl;->()V HPLandroidx/compose/runtime/LaunchedEffectImpl;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/LaunchedEffectImpl;->onForgotten()V HPLandroidx/compose/runtime/LaunchedEffectImpl;->onRemembered()V Landroidx/compose/runtime/LazyValueHolder; +HSPLandroidx/compose/runtime/LazyValueHolder;->()V HSPLandroidx/compose/runtime/LazyValueHolder;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/LazyValueHolder;->getCurrent()Ljava/lang/Object; HPLandroidx/compose/runtime/LazyValueHolder;->getValue()Ljava/lang/Object; @@ -4341,7 +4747,7 @@ Landroidx/compose/runtime/MonotonicFrameClock; HSPLandroidx/compose/runtime/MonotonicFrameClock;->()V HPLandroidx/compose/runtime/MonotonicFrameClock;->getKey()Lkotlin/coroutines/CoroutineContext$Key; Landroidx/compose/runtime/MonotonicFrameClock$DefaultImpls; -HPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->fold(Landroidx/compose/runtime/MonotonicFrameClock;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->fold(Landroidx/compose/runtime/MonotonicFrameClock;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->get(Landroidx/compose/runtime/MonotonicFrameClock;Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HSPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->minusKey(Landroidx/compose/runtime/MonotonicFrameClock;Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; Landroidx/compose/runtime/MonotonicFrameClock$Key; @@ -4378,6 +4784,7 @@ HSPLandroidx/compose/runtime/NeverEqualPolicy;->()V HSPLandroidx/compose/runtime/NeverEqualPolicy;->()V PLandroidx/compose/runtime/NeverEqualPolicy;->equivalent(Ljava/lang/Object;Ljava/lang/Object;)Z Landroidx/compose/runtime/OpaqueKey; +HSPLandroidx/compose/runtime/OpaqueKey;->()V HSPLandroidx/compose/runtime/OpaqueKey;->(Ljava/lang/String;)V HSPLandroidx/compose/runtime/OpaqueKey;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/OpaqueKey;->hashCode()I @@ -4438,7 +4845,7 @@ HPLandroidx/compose/runtime/Pending;->registerInsert(Landroidx/compose/runtime/K HPLandroidx/compose/runtime/Pending;->updateNodeCount(II)Z Landroidx/compose/runtime/Pending$keyMap$2; HPLandroidx/compose/runtime/Pending$keyMap$2;->(Landroidx/compose/runtime/Pending;)V -HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; +HSPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/util/HashMap; Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; @@ -4447,7 +4854,8 @@ HSPLandroidx/compose/runtime/PrimitiveSnapshotStateKt;->mutableFloatStateOf(F)La Landroidx/compose/runtime/PrimitiveSnapshotStateKt__SnapshotFloatStateKt; HSPLandroidx/compose/runtime/PrimitiveSnapshotStateKt__SnapshotFloatStateKt;->mutableFloatStateOf(F)Landroidx/compose/runtime/MutableFloatState; Landroidx/compose/runtime/PrioritySet; -HPLandroidx/compose/runtime/PrioritySet;->(Ljava/util/List;)V +HSPLandroidx/compose/runtime/PrioritySet;->()V +HSPLandroidx/compose/runtime/PrioritySet;->(Ljava/util/List;)V HPLandroidx/compose/runtime/PrioritySet;->(Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/PrioritySet;->add(I)V HPLandroidx/compose/runtime/PrioritySet;->isNotEmpty()Z @@ -4456,7 +4864,7 @@ HPLandroidx/compose/runtime/PrioritySet;->takeMax()I Landroidx/compose/runtime/ProduceStateScope; Landroidx/compose/runtime/ProduceStateScopeImpl; HSPLandroidx/compose/runtime/ProduceStateScopeImpl;->(Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/CoroutineContext;)V -PLandroidx/compose/runtime/ProduceStateScopeImpl;->setValue(Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/ProduceStateScopeImpl;->setValue(Ljava/lang/Object;)V Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/runtime/ProvidableCompositionLocal;->()V HSPLandroidx/compose/runtime/ProvidableCompositionLocal;->(Lkotlin/jvm/functions/Function0;)V @@ -4472,15 +4880,15 @@ Landroidx/compose/runtime/RecomposeScope; Landroidx/compose/runtime/RecomposeScopeImpl; HSPLandroidx/compose/runtime/RecomposeScopeImpl;->()V HPLandroidx/compose/runtime/RecomposeScopeImpl;->(Landroidx/compose/runtime/RecomposeScopeOwner;)V -PLandroidx/compose/runtime/RecomposeScopeImpl;->access$getCurrentToken$p(Landroidx/compose/runtime/RecomposeScopeImpl;)I -PLandroidx/compose/runtime/RecomposeScopeImpl;->access$getTrackedInstances$p(Landroidx/compose/runtime/RecomposeScopeImpl;)Landroidx/compose/runtime/collection/IdentityArrayIntMap; -PLandroidx/compose/runtime/RecomposeScopeImpl;->access$setTrackedInstances$p(Landroidx/compose/runtime/RecomposeScopeImpl;Landroidx/compose/runtime/collection/IdentityArrayIntMap;)V +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->access$getCurrentToken$p(Landroidx/compose/runtime/RecomposeScopeImpl;)I +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->access$getTrackedInstances$p(Landroidx/compose/runtime/RecomposeScopeImpl;)Landroidx/collection/MutableObjectIntMap; HPLandroidx/compose/runtime/RecomposeScopeImpl;->compose(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->end(I)Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getAnchor()Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getCanRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInScope()Z HSPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInvalid()Z +HPLandroidx/compose/runtime/RecomposeScopeImpl;->getForcedRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getRequiresRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getRereading()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getSkipped$runtime_release()Z @@ -4489,16 +4897,14 @@ HPLandroidx/compose/runtime/RecomposeScopeImpl;->getValid()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->invalidate()V HSPLandroidx/compose/runtime/RecomposeScopeImpl;->invalidateForResult(Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HSPLandroidx/compose/runtime/RecomposeScopeImpl;->isConditional()Z -HPLandroidx/compose/runtime/RecomposeScopeImpl;->isInvalidFor(Landroidx/compose/runtime/collection/IdentityArraySet;)Z +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->isInvalidFor(Landroidx/compose/runtime/collection/IdentityArraySet;)Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->recordRead(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->release()V -HSPLandroidx/compose/runtime/RecomposeScopeImpl;->rereadTrackedInstances()V -HSPLandroidx/compose/runtime/RecomposeScopeImpl;->scopeSkipped()V +HPLandroidx/compose/runtime/RecomposeScopeImpl;->scopeSkipped()V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setAnchor(Landroidx/compose/runtime/Anchor;)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setDefaultsInScope(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setDefaultsInvalid(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setRequiresRecompose(Z)V -HSPLandroidx/compose/runtime/RecomposeScopeImpl;->setRereading(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setSkipped(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setUsed(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->start(I)V @@ -4506,10 +4912,12 @@ HPLandroidx/compose/runtime/RecomposeScopeImpl;->updateScope(Lkotlin/jvm/functio Landroidx/compose/runtime/RecomposeScopeImpl$Companion; HSPLandroidx/compose/runtime/RecomposeScopeImpl$Companion;->()V HSPLandroidx/compose/runtime/RecomposeScopeImpl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->(Landroidx/compose/runtime/RecomposeScopeImpl;ILandroidx/compose/runtime/collection/IdentityArrayIntMap;)V -HPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Landroidx/compose/runtime/Composition;)V -PLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/RecomposeScopeImpl$end$1$2; +HSPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->(Landroidx/compose/runtime/RecomposeScopeImpl;ILandroidx/collection/MutableObjectIntMap;)V +HSPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Landroidx/compose/runtime/Composition;)V +HSPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/RecomposeScopeImplKt; +HSPLandroidx/compose/runtime/RecomposeScopeImplKt;->()V HSPLandroidx/compose/runtime/RecomposeScopeImplKt;->updateChangedFlags(I)I Landroidx/compose/runtime/RecomposeScopeOwner; Landroidx/compose/runtime/Recomposer; @@ -4523,31 +4931,34 @@ HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionInvalidations$p(L HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionValuesAwaitingInsert$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getHasBroadcastFrameClockAwaiters(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getHasSchedulingWork(Landroidx/compose/runtime/Recomposer;)Z -HSPLandroidx/compose/runtime/Recomposer;->access$getKnownCompositions$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; +HSPLandroidx/compose/runtime/Recomposer;->access$getKnownCompositions(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getRecomposerInfo$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/Recomposer$RecomposerInfoImpl; PLandroidx/compose/runtime/Recomposer;->access$getRunnerJob$p(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/Job; HSPLandroidx/compose/runtime/Recomposer;->access$getShouldKeepRecomposing(Landroidx/compose/runtime/Recomposer;)Z -HPLandroidx/compose/runtime/Recomposer;->access$getSnapshotInvalidations$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/collection/IdentityArraySet; +HSPLandroidx/compose/runtime/Recomposer;->access$getSnapshotInvalidations$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/collection/IdentityArraySet; HPLandroidx/compose/runtime/Recomposer;->access$getStateLock$p(Landroidx/compose/runtime/Recomposer;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Recomposer;->access$get_runningRecomposers$cp()Lkotlinx/coroutines/flow/MutableStateFlow; HPLandroidx/compose/runtime/Recomposer;->access$get_state$p(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/flow/MutableStateFlow; PLandroidx/compose/runtime/Recomposer;->access$isClosed$p(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$performRecompose(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/collection/IdentityArraySet;)Landroidx/compose/runtime/ControlledComposition; -HSPLandroidx/compose/runtime/Recomposer;->access$recordComposerModifications(Landroidx/compose/runtime/Recomposer;)Z +HPLandroidx/compose/runtime/Recomposer;->access$recordComposerModifications(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$registerRunnerJob(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setChangeCount$p(Landroidx/compose/runtime/Recomposer;J)V PLandroidx/compose/runtime/Recomposer;->access$setCloseCause$p(Landroidx/compose/runtime/Recomposer;Ljava/lang/Throwable;)V HSPLandroidx/compose/runtime/Recomposer;->access$setCompositionsRemoved$p(Landroidx/compose/runtime/Recomposer;Ljava/util/Set;)V PLandroidx/compose/runtime/Recomposer;->access$setRunnerJob$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setWorkContinuation$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/CancellableContinuation;)V +HPLandroidx/compose/runtime/Recomposer;->addKnownCompositionLocked(Landroidx/compose/runtime/ControlledComposition;)V HPLandroidx/compose/runtime/Recomposer;->applyAndCheck(Landroidx/compose/runtime/snapshots/MutableSnapshot;)V HPLandroidx/compose/runtime/Recomposer;->awaitWorkAvailable(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->cancel()V +PLandroidx/compose/runtime/Recomposer;->clearKnownCompositionsLocked()V HPLandroidx/compose/runtime/Recomposer;->composeInitial$runtime_release(Landroidx/compose/runtime/ControlledComposition;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/Recomposer;->deriveStateLocked()Lkotlinx/coroutines/CancellableContinuation; HPLandroidx/compose/runtime/Recomposer;->discardUnusedValues()V HSPLandroidx/compose/runtime/Recomposer;->getChangeCount()J HSPLandroidx/compose/runtime/Recomposer;->getCollectingParameterInformation$runtime_release()Z +HSPLandroidx/compose/runtime/Recomposer;->getCollectingSourceInformation$runtime_release()Z HSPLandroidx/compose/runtime/Recomposer;->getCompoundHashKey$runtime_release()I HSPLandroidx/compose/runtime/Recomposer;->getCurrentState()Lkotlinx/coroutines/flow/StateFlow; HPLandroidx/compose/runtime/Recomposer;->getEffectCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -4555,6 +4966,7 @@ HSPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaiters()Z HPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaitersLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasFrameWorkLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasSchedulingWork()Z +HPLandroidx/compose/runtime/Recomposer;->getKnownCompositions()Ljava/util/List; HPLandroidx/compose/runtime/Recomposer;->getShouldKeepRecomposing()Z HSPLandroidx/compose/runtime/Recomposer;->insertMovableContent$runtime_release(Landroidx/compose/runtime/MovableContentStateReference;)V HPLandroidx/compose/runtime/Recomposer;->invalidate$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V @@ -4568,6 +4980,7 @@ HPLandroidx/compose/runtime/Recomposer;->readObserverOf(Landroidx/compose/runtim HSPLandroidx/compose/runtime/Recomposer;->recompositionRunner(Lkotlin/jvm/functions/Function3;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->recordComposerModifications()Z HSPLandroidx/compose/runtime/Recomposer;->registerRunnerJob(Lkotlinx/coroutines/Job;)V +HPLandroidx/compose/runtime/Recomposer;->removeKnownCompositionLocked(Landroidx/compose/runtime/ControlledComposition;)V HSPLandroidx/compose/runtime/Recomposer;->resumeCompositionFrameClock()V HSPLandroidx/compose/runtime/Recomposer;->runRecomposeAndApplyChanges(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->unregisterComposition$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V @@ -4630,10 +5043,10 @@ HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->(L HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->access$invokeSuspend$fillToInsert(Ljava/util/List;Landroidx/compose/runtime/Recomposer;)V HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/runtime/MonotonicFrameClock;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend$fillToInsert(Ljava/util/List;Landroidx/compose/runtime/Recomposer;)V +HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend$fillToInsert(Ljava/util/List;Landroidx/compose/runtime/Recomposer;)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1; -HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V +HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/collection/IdentityArraySet;Landroidx/compose/runtime/collection/IdentityArraySet;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$writeObserverOf$1; @@ -4647,15 +5060,23 @@ HSPLandroidx/compose/runtime/RecomposerKt;->removeLastMultiValue(Ljava/util/Map; Landroidx/compose/runtime/ReferentialEqualityPolicy; HSPLandroidx/compose/runtime/ReferentialEqualityPolicy;->()V HSPLandroidx/compose/runtime/ReferentialEqualityPolicy;->()V +HSPLandroidx/compose/runtime/ReferentialEqualityPolicy;->equivalent(Ljava/lang/Object;Ljava/lang/Object;)Z Landroidx/compose/runtime/RememberManager; Landroidx/compose/runtime/RememberObserver; +Landroidx/compose/runtime/RememberObserverHolder; +HSPLandroidx/compose/runtime/RememberObserverHolder;->()V +HPLandroidx/compose/runtime/RememberObserverHolder;->(Landroidx/compose/runtime/RememberObserver;)V +HPLandroidx/compose/runtime/RememberObserverHolder;->getWrapped()Landroidx/compose/runtime/RememberObserver; +Landroidx/compose/runtime/ReusableComposition; +Landroidx/compose/runtime/ReusableRememberObserver; Landroidx/compose/runtime/ScopeUpdateScope; Landroidx/compose/runtime/SkippableUpdater; HPLandroidx/compose/runtime/SkippableUpdater;->(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/SkippableUpdater;->box-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/SkippableUpdater; -HPLandroidx/compose/runtime/SkippableUpdater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; +HSPLandroidx/compose/runtime/SkippableUpdater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; HPLandroidx/compose/runtime/SkippableUpdater;->unbox-impl()Landroidx/compose/runtime/Composer; Landroidx/compose/runtime/SlotReader; +HSPLandroidx/compose/runtime/SlotReader;->()V HPLandroidx/compose/runtime/SlotReader;->(Landroidx/compose/runtime/SlotTable;)V HPLandroidx/compose/runtime/SlotReader;->anchor(I)Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; @@ -4665,7 +5086,6 @@ HSPLandroidx/compose/runtime/SlotReader;->containsMark(I)Z HPLandroidx/compose/runtime/SlotReader;->endEmpty()V HPLandroidx/compose/runtime/SlotReader;->endGroup()V HPLandroidx/compose/runtime/SlotReader;->extractKeys()Ljava/util/List; -HPLandroidx/compose/runtime/SlotReader;->forEachData$runtime_release(ILkotlin/jvm/functions/Function2;)V PLandroidx/compose/runtime/SlotReader;->getCurrentEnd()I HPLandroidx/compose/runtime/SlotReader;->getCurrentGroup()I HPLandroidx/compose/runtime/SlotReader;->getGroupAux()Ljava/lang/Object; @@ -4680,7 +5100,7 @@ HPLandroidx/compose/runtime/SlotReader;->getParentNodes()I HPLandroidx/compose/runtime/SlotReader;->getSize()I HPLandroidx/compose/runtime/SlotReader;->getTable$runtime_release()Landroidx/compose/runtime/SlotTable; HPLandroidx/compose/runtime/SlotReader;->groupAux(I)Ljava/lang/Object; -HPLandroidx/compose/runtime/SlotReader;->groupGet(I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/SlotReader;->groupGet(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->groupGet(II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->groupKey(I)I HPLandroidx/compose/runtime/SlotReader;->groupObjectKey(I)Ljava/lang/Object; @@ -4703,22 +5123,23 @@ HPLandroidx/compose/runtime/SlotReader;->skipToGroupEnd()V HPLandroidx/compose/runtime/SlotReader;->startGroup()V HPLandroidx/compose/runtime/SlotReader;->startNode()V Landroidx/compose/runtime/SlotTable; +HSPLandroidx/compose/runtime/SlotTable;->()V HPLandroidx/compose/runtime/SlotTable;->()V HPLandroidx/compose/runtime/SlotTable;->anchorIndex(Landroidx/compose/runtime/Anchor;)I -HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotReader;)V -HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotWriter;[II[Ljava/lang/Object;ILjava/util/ArrayList;)V +HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotReader;Ljava/util/HashMap;)V +HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotWriter;[II[Ljava/lang/Object;ILjava/util/ArrayList;Ljava/util/HashMap;)V HPLandroidx/compose/runtime/SlotTable;->getAnchors$runtime_release()Ljava/util/ArrayList; HPLandroidx/compose/runtime/SlotTable;->getGroups()[I HPLandroidx/compose/runtime/SlotTable;->getGroupsSize()I HPLandroidx/compose/runtime/SlotTable;->getSlots()[Ljava/lang/Object; HPLandroidx/compose/runtime/SlotTable;->getSlotsSize()I +HPLandroidx/compose/runtime/SlotTable;->getSourceInformationMap$runtime_release()Ljava/util/HashMap; HPLandroidx/compose/runtime/SlotTable;->isEmpty()Z HPLandroidx/compose/runtime/SlotTable;->openReader()Landroidx/compose/runtime/SlotReader; HPLandroidx/compose/runtime/SlotTable;->openWriter()Landroidx/compose/runtime/SlotWriter; HPLandroidx/compose/runtime/SlotTable;->ownsAnchor(Landroidx/compose/runtime/Anchor;)Z -HPLandroidx/compose/runtime/SlotTable;->setTo$runtime_release([II[Ljava/lang/Object;ILjava/util/ArrayList;)V +HPLandroidx/compose/runtime/SlotTable;->setTo$runtime_release([II[Ljava/lang/Object;ILjava/util/ArrayList;Ljava/util/HashMap;)V Landroidx/compose/runtime/SlotTableKt; -HPLandroidx/compose/runtime/SlotTableKt;->access$addAux([II)V HPLandroidx/compose/runtime/SlotTableKt;->access$auxIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->access$containsAnyMark([II)Z HPLandroidx/compose/runtime/SlotTableKt;->access$containsMark([II)Z @@ -4739,19 +5160,18 @@ HPLandroidx/compose/runtime/SlotTableKt;->access$objectKeyIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->access$parentAnchor([II)I HPLandroidx/compose/runtime/SlotTableKt;->access$search(Ljava/util/ArrayList;II)I HPLandroidx/compose/runtime/SlotTableKt;->access$slotAnchor([II)I -HPLandroidx/compose/runtime/SlotTableKt;->access$updateContainsMark([IIZ)V +HSPLandroidx/compose/runtime/SlotTableKt;->access$updateContainsMark([IIZ)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateDataAnchor([III)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateGroupSize([III)V HSPLandroidx/compose/runtime/SlotTableKt;->access$updateMark([IIZ)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateNodeCount([III)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateParentAnchor([III)V -HPLandroidx/compose/runtime/SlotTableKt;->addAux([II)V HPLandroidx/compose/runtime/SlotTableKt;->auxIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->containsAnyMark([II)Z -HPLandroidx/compose/runtime/SlotTableKt;->containsMark([II)Z +HSPLandroidx/compose/runtime/SlotTableKt;->containsMark([II)Z HPLandroidx/compose/runtime/SlotTableKt;->countOneBits(I)I HPLandroidx/compose/runtime/SlotTableKt;->dataAnchor([II)I -HPLandroidx/compose/runtime/SlotTableKt;->groupInfo([II)I +HSPLandroidx/compose/runtime/SlotTableKt;->groupInfo([II)I HPLandroidx/compose/runtime/SlotTableKt;->groupSize([II)I HPLandroidx/compose/runtime/SlotTableKt;->hasAux([II)Z HSPLandroidx/compose/runtime/SlotTableKt;->hasMark([II)Z @@ -4766,7 +5186,7 @@ HPLandroidx/compose/runtime/SlotTableKt;->objectKeyIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->parentAnchor([II)I HPLandroidx/compose/runtime/SlotTableKt;->search(Ljava/util/ArrayList;II)I HPLandroidx/compose/runtime/SlotTableKt;->slotAnchor([II)I -HPLandroidx/compose/runtime/SlotTableKt;->updateContainsMark([IIZ)V +HSPLandroidx/compose/runtime/SlotTableKt;->updateContainsMark([IIZ)V HPLandroidx/compose/runtime/SlotTableKt;->updateDataAnchor([III)V HPLandroidx/compose/runtime/SlotTableKt;->updateGroupSize([III)V HSPLandroidx/compose/runtime/SlotTableKt;->updateMark([IIZ)V @@ -4789,12 +5209,16 @@ HPLandroidx/compose/runtime/SlotWriter;->access$getSlots$p(Landroidx/compose/run HSPLandroidx/compose/runtime/SlotWriter;->access$getSlotsGapLen$p(Landroidx/compose/runtime/SlotWriter;)I HSPLandroidx/compose/runtime/SlotWriter;->access$getSlotsGapOwner$p(Landroidx/compose/runtime/SlotWriter;)I HPLandroidx/compose/runtime/SlotWriter;->access$getSlotsGapStart$p(Landroidx/compose/runtime/SlotWriter;)I +HSPLandroidx/compose/runtime/SlotWriter;->access$getSourceInformationMap$p(Landroidx/compose/runtime/SlotWriter;)Ljava/util/HashMap; +PLandroidx/compose/runtime/SlotWriter;->access$groupIndexToAddress(Landroidx/compose/runtime/SlotWriter;I)I HSPLandroidx/compose/runtime/SlotWriter;->access$insertGroups(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$insertSlots(Landroidx/compose/runtime/SlotWriter;II)V HSPLandroidx/compose/runtime/SlotWriter;->access$setCurrentGroup$p(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$setCurrentSlot$p(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$setNodeCount$p(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$setSlotsGapOwner$p(Landroidx/compose/runtime/SlotWriter;I)V +PLandroidx/compose/runtime/SlotWriter;->access$slotIndex(Landroidx/compose/runtime/SlotWriter;[II)I +HSPLandroidx/compose/runtime/SlotWriter;->access$sourceInformationOf(Landroidx/compose/runtime/SlotWriter;I)Landroidx/compose/runtime/GroupSourceInformation; HSPLandroidx/compose/runtime/SlotWriter;->access$updateContainsMark(Landroidx/compose/runtime/SlotWriter;I)V HPLandroidx/compose/runtime/SlotWriter;->advanceBy(I)V HPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; @@ -4814,10 +5238,11 @@ HPLandroidx/compose/runtime/SlotWriter;->dataIndexToDataAnchor(IIII)I HPLandroidx/compose/runtime/SlotWriter;->endGroup()I HPLandroidx/compose/runtime/SlotWriter;->endInsert()V HPLandroidx/compose/runtime/SlotWriter;->ensureStarted(I)V -HPLandroidx/compose/runtime/SlotWriter;->ensureStarted(Landroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/SlotWriter;->ensureStarted(Landroidx/compose/runtime/Anchor;)V HPLandroidx/compose/runtime/SlotWriter;->getCapacity()I HPLandroidx/compose/runtime/SlotWriter;->getClosed()Z HPLandroidx/compose/runtime/SlotWriter;->getCurrentGroup()I +PLandroidx/compose/runtime/SlotWriter;->getCurrentGroupEnd()I HPLandroidx/compose/runtime/SlotWriter;->getParent()I HPLandroidx/compose/runtime/SlotWriter;->getSize$runtime_release()I HPLandroidx/compose/runtime/SlotWriter;->getTable$runtime_release()Landroidx/compose/runtime/SlotTable; @@ -4828,12 +5253,11 @@ HPLandroidx/compose/runtime/SlotWriter;->groupObjectKey(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->groupSize(I)I HPLandroidx/compose/runtime/SlotWriter;->groupSlots()Ljava/util/Iterator; HSPLandroidx/compose/runtime/SlotWriter;->indexInCurrentGroup(I)Z -HPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z +HSPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z HSPLandroidx/compose/runtime/SlotWriter;->indexInParent(I)Z -HPLandroidx/compose/runtime/SlotWriter;->insertAux(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->insertGroups(I)V HPLandroidx/compose/runtime/SlotWriter;->insertSlots(II)V -HPLandroidx/compose/runtime/SlotWriter;->isNode()Z +HSPLandroidx/compose/runtime/SlotWriter;->isNode()Z HSPLandroidx/compose/runtime/SlotWriter;->isNode(I)Z HSPLandroidx/compose/runtime/SlotWriter;->markGroup$default(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->markGroup(I)V @@ -4848,23 +5272,24 @@ HPLandroidx/compose/runtime/SlotWriter;->parent([II)I HPLandroidx/compose/runtime/SlotWriter;->parentAnchorToIndex(I)I HPLandroidx/compose/runtime/SlotWriter;->parentIndexToAnchor(II)I HPLandroidx/compose/runtime/SlotWriter;->recalculateMarks()V -HPLandroidx/compose/runtime/SlotWriter;->removeAnchors(II)Z +HPLandroidx/compose/runtime/SlotWriter;->removeAnchors(IILjava/util/HashMap;)Z HPLandroidx/compose/runtime/SlotWriter;->removeGroup()Z HPLandroidx/compose/runtime/SlotWriter;->removeGroups(II)Z HPLandroidx/compose/runtime/SlotWriter;->removeSlots(III)V HSPLandroidx/compose/runtime/SlotWriter;->reset()V HPLandroidx/compose/runtime/SlotWriter;->restoreCurrentGroupEnd()I HPLandroidx/compose/runtime/SlotWriter;->saveCurrentGroupEnd()V +HPLandroidx/compose/runtime/SlotWriter;->set(IILjava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->set(ILjava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->set(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->skip()Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->skipGroup()I HPLandroidx/compose/runtime/SlotWriter;->skipToGroupEnd()V -HPLandroidx/compose/runtime/SlotWriter;->slot(II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->slotIndex([II)I +HPLandroidx/compose/runtime/SlotWriter;->sourceInformationOf(I)Landroidx/compose/runtime/GroupSourceInformation; HPLandroidx/compose/runtime/SlotWriter;->startData(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup()V -HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V +HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;ZLjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startNode(ILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->update(Ljava/lang/Object;)Ljava/lang/Object; @@ -4892,27 +5317,33 @@ HSPLandroidx/compose/runtime/SnapshotLongStateKt;->mutableLongStateOf(J)Landroid Landroidx/compose/runtime/SnapshotLongStateKt__SnapshotLongStateKt; HSPLandroidx/compose/runtime/SnapshotLongStateKt__SnapshotLongStateKt;->mutableLongStateOf(J)Landroidx/compose/runtime/MutableLongState; Landroidx/compose/runtime/SnapshotMutableFloatStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->(F)V -PLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->getFloatValue()F +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->setFloatValue(F)V Landroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord; HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->(F)V +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->getValue()F HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->setValue(F)V Landroidx/compose/runtime/SnapshotMutableIntStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->(I)V -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getIntValue()I -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->setIntValue(I)V Landroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord; -HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->(I)V -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; -HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->getValue()I +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->(I)V +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->getValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->setValue(I)V Landroidx/compose/runtime/SnapshotMutableLongStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->(J)V HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->getLongValue()J @@ -4925,6 +5356,7 @@ HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl$LongStateStateRecord;- HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl$LongStateStateRecord;->getValue()J HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl$LongStateStateRecord;->setValue(J)V Landroidx/compose/runtime/SnapshotMutableStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableStateImpl;->(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)V HPLandroidx/compose/runtime/SnapshotMutableStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableStateImpl;->getPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; @@ -4949,6 +5381,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt;->mutableStateOf$default(Ljava/lang/ HPLandroidx/compose/runtime/SnapshotStateKt;->mutableStateOf(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)Landroidx/compose/runtime/MutableState; HSPLandroidx/compose/runtime/SnapshotStateKt;->neverEqualPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HSPLandroidx/compose/runtime/SnapshotStateKt;->produceState(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HSPLandroidx/compose/runtime/SnapshotStateKt;->produceState(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; HSPLandroidx/compose/runtime/SnapshotStateKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/SnapshotStateKt;->rememberUpdatedState(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; HSPLandroidx/compose/runtime/SnapshotStateKt;->snapshotFlow(Lkotlin/jvm/functions/Function0;)Lkotlinx/coroutines/flow/Flow; @@ -4961,13 +5394,18 @@ PLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Land HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt; HPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt;->produceState(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt;->produceState(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1; +HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1;->(Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V +HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2; HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2;->(Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt; -HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->access$intersects(Ljava/util/Set;Ljava/util/Set;)Z -HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->intersects$SnapshotStateKt__SnapshotFlowKt(Ljava/util/Set;Ljava/util/Set;)Z +PLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->access$intersects(Landroidx/collection/MutableScatterSet;Ljava/util/Set;)Z +HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->intersects$SnapshotStateKt__SnapshotFlowKt(Landroidx/collection/MutableScatterSet;Ljava/util/Set;)Z HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->snapshotFlow(Lkotlin/jvm/functions/Function0;)Lkotlinx/coroutines/flow/Flow; Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->(Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;)V @@ -4976,7 +5414,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->inv HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1; -HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->(Ljava/util/Set;)V +HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->(Landroidx/collection/MutableScatterSet;)V HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->invoke(Ljava/lang/Object;)V Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unregisterApplyObserver$1; @@ -4985,7 +5423,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unreg HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unregisterApplyObserver$1;->invoke(Ljava/util/Set;Landroidx/compose/runtime/snapshots/Snapshot;)V Landroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->neverEqualPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; -HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; +HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->structuralEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; Landroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateListOf()Landroidx/compose/runtime/snapshots/SnapshotStateList; @@ -4995,10 +5433,12 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateOf$de HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateOf(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)Landroidx/compose/runtime/MutableState; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->rememberUpdatedState(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotThreadLocal; +HSPLandroidx/compose/runtime/SnapshotThreadLocal;->()V HSPLandroidx/compose/runtime/SnapshotThreadLocal;->()V HPLandroidx/compose/runtime/SnapshotThreadLocal;->get()Ljava/lang/Object; HPLandroidx/compose/runtime/SnapshotThreadLocal;->set(Ljava/lang/Object;)V Landroidx/compose/runtime/Stack; +HSPLandroidx/compose/runtime/Stack;->()V HPLandroidx/compose/runtime/Stack;->()V HPLandroidx/compose/runtime/Stack;->clear()V HPLandroidx/compose/runtime/Stack;->getSize()I @@ -5011,11 +5451,13 @@ HPLandroidx/compose/runtime/Stack;->push(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/Stack;->toArray()[Ljava/lang/Object; Landroidx/compose/runtime/State; Landroidx/compose/runtime/StaticProvidableCompositionLocal; +HSPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->()V HSPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->provided$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->updatedStateOf$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/State;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/StaticValueHolder; +HSPLandroidx/compose/runtime/StaticValueHolder;->()V HPLandroidx/compose/runtime/StaticValueHolder;->(Ljava/lang/Object;)V -PLandroidx/compose/runtime/StaticValueHolder;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/StaticValueHolder;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/StaticValueHolder;->getValue()Ljava/lang/Object; Landroidx/compose/runtime/StructuralEqualityPolicy; HSPLandroidx/compose/runtime/StructuralEqualityPolicy;->()V @@ -5027,77 +5469,282 @@ HSPLandroidx/compose/runtime/Trace;->()V HPLandroidx/compose/runtime/Trace;->beginSection(Ljava/lang/String;)Ljava/lang/Object; HPLandroidx/compose/runtime/Trace;->endSection(Ljava/lang/Object;)V Landroidx/compose/runtime/Updater; -HPLandroidx/compose/runtime/Updater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; +HSPLandroidx/compose/runtime/Updater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; HPLandroidx/compose/runtime/Updater;->set-impl(Landroidx/compose/runtime/Composer;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V Landroidx/compose/runtime/WeakReference; -Landroidx/compose/runtime/collection/IdentityArrayIntMap; -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->()V -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->access$setSize$p(Landroidx/compose/runtime/collection/IdentityArrayIntMap;I)V -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->add(Ljava/lang/Object;I)I -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->find(Ljava/lang/Object;)I -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->getKeys()[Ljava/lang/Object; -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->getSize()I -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->getValues()[I +Landroidx/compose/runtime/changelist/ChangeList; +HSPLandroidx/compose/runtime/changelist/ChangeList;->()V +HPLandroidx/compose/runtime/changelist/ChangeList;->()V +HPLandroidx/compose/runtime/changelist/ChangeList;->clear()V +HPLandroidx/compose/runtime/changelist/ChangeList;->executeAndFlushAllPendingChanges(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->isEmpty()Z +HPLandroidx/compose/runtime/changelist/ChangeList;->isNotEmpty()Z +HPLandroidx/compose/runtime/changelist/ChangeList;->pushAdvanceSlotsBy(I)V +PLandroidx/compose/runtime/changelist/ChangeList;->pushDeactivateCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushDetermineMovableContentNodeIndex(Landroidx/compose/runtime/internal/IntRef;Landroidx/compose/runtime/Anchor;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushDowns([Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushEndCompositionScope(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composition;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushEndCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushEndMovableContentPlacement()V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushEnsureGroupStarted(Landroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushEnsureRootStarted()V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushExecuteOperationsIn(Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/internal/IntRef;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushInsertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushInsertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/changelist/FixupList;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushRemember(Landroidx/compose/runtime/RememberObserver;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushRemoveCurrentGroup()V +PLandroidx/compose/runtime/changelist/ChangeList;->pushRemoveNode(II)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushResetSlots()V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushSideEffect(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushSkipToEndOfCurrentGroup()V +PLandroidx/compose/runtime/changelist/ChangeList;->pushUpdateAuxData(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushUpdateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushUpdateValue(Ljava/lang/Object;I)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushUps(I)V +Landroidx/compose/runtime/changelist/ComposerChangeListWriter; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/changelist/ChangeList;)V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->deactivateCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->determineMovableContentNodeIndex(Landroidx/compose/runtime/internal/IntRef;Landroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endCompositionScope(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composition;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endMovableContentPlacement()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endNodeMovement()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endRoot()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->ensureGroupStarted(Landroidx/compose/runtime/Anchor;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->ensureRootStarted()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->finalizeComposition()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->getChangeList()Landroidx/compose/runtime/changelist/ChangeList; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->getImplicitRootStart()Z +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->getReader()Landroidx/compose/runtime/SlotReader; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->includeOperationsIn(Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/internal/IntRef;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->insertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->insertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/changelist/FixupList;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveDown(Ljava/lang/Object;)V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveReaderRelativeTo(I)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveReaderToAbsolute(I)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveUp()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushApplierOperationPreamble()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushPendingUpsAndDowns()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotEditingOperationPreamble()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble(Z)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeNodeMovementOperations()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeOperationLocation$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeOperationLocation(Z)V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeRemoveNode(II)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->recordSlotEditing()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->remember(Landroidx/compose/runtime/RememberObserver;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->removeCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->removeNode(II)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->resetSlots()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->resetTransientState()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->setChangeList(Landroidx/compose/runtime/changelist/ChangeList;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->setImplicitRootStart(Z)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->sideEffect(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->skipToEndOfCurrentGroup()V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->updateAuxData(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->updateValue(Ljava/lang/Object;I)V +Landroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion;->()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/runtime/changelist/FixupList; +HSPLandroidx/compose/runtime/changelist/FixupList;->()V +HPLandroidx/compose/runtime/changelist/FixupList;->()V +HPLandroidx/compose/runtime/changelist/FixupList;->createAndInsertNode(Lkotlin/jvm/functions/Function0;ILandroidx/compose/runtime/Anchor;)V +HPLandroidx/compose/runtime/changelist/FixupList;->endNodeInsert()V +HPLandroidx/compose/runtime/changelist/FixupList;->executeAndFlushAllPendingFixups(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/FixupList;->isEmpty()Z +HPLandroidx/compose/runtime/changelist/FixupList;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +Landroidx/compose/runtime/changelist/Operation; +HSPLandroidx/compose/runtime/changelist/Operation;->()V +HSPLandroidx/compose/runtime/changelist/Operation;->(II)V +HSPLandroidx/compose/runtime/changelist/Operation;->(IIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/runtime/changelist/Operation;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/runtime/changelist/Operation;->getInts()I +HPLandroidx/compose/runtime/changelist/Operation;->getObjects()I +Landroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy; +HSPLandroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy;->()V +HSPLandroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy;->()V +HPLandroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$ApplyChangeList; +HSPLandroidx/compose/runtime/changelist/Operation$ApplyChangeList;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ApplyChangeList;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ApplyChangeList;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +PLandroidx/compose/runtime/changelist/Operation$DeactivateCurrentGroup;->()V +PLandroidx/compose/runtime/changelist/Operation$DeactivateCurrentGroup;->()V +PLandroidx/compose/runtime/changelist/Operation$DeactivateCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex; +HSPLandroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex;->()V +HSPLandroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex;->()V +HSPLandroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$Downs; +HSPLandroidx/compose/runtime/changelist/Operation$Downs;->()V +HSPLandroidx/compose/runtime/changelist/Operation$Downs;->()V +HPLandroidx/compose/runtime/changelist/Operation$Downs;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EndCompositionScope; +HSPLandroidx/compose/runtime/changelist/Operation$EndCompositionScope;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCompositionScope;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCompositionScope;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EndCurrentGroup; +HSPLandroidx/compose/runtime/changelist/Operation$EndCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement; +HSPLandroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EnsureGroupStarted; +HSPLandroidx/compose/runtime/changelist/Operation$EnsureGroupStarted;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EnsureGroupStarted;->()V +HPLandroidx/compose/runtime/changelist/Operation$EnsureGroupStarted;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted; +HSPLandroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$InsertNodeFixup; +HSPLandroidx/compose/runtime/changelist/Operation$InsertNodeFixup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$InsertNodeFixup;->()V +HPLandroidx/compose/runtime/changelist/Operation$InsertNodeFixup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$InsertSlots; +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlots;->()V +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlots;->()V +HPLandroidx/compose/runtime/changelist/Operation$InsertSlots;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups; +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups;->()V +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups;->()V +HPLandroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$IntParameter; +HPLandroidx/compose/runtime/changelist/Operation$IntParameter;->constructor-impl(I)I +Landroidx/compose/runtime/changelist/Operation$ObjectParameter; +HPLandroidx/compose/runtime/changelist/Operation$ObjectParameter;->constructor-impl(I)I +Landroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup; +HSPLandroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup;->()V +HPLandroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$Remember; +HSPLandroidx/compose/runtime/changelist/Operation$Remember;->()V +HSPLandroidx/compose/runtime/changelist/Operation$Remember;->()V +HPLandroidx/compose/runtime/changelist/Operation$Remember;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup; +HSPLandroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +PLandroidx/compose/runtime/changelist/Operation$RemoveNode;->()V +PLandroidx/compose/runtime/changelist/Operation$RemoveNode;->()V +PLandroidx/compose/runtime/changelist/Operation$RemoveNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$ResetSlots; +HSPLandroidx/compose/runtime/changelist/Operation$ResetSlots;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ResetSlots;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ResetSlots;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$SideEffect; +HSPLandroidx/compose/runtime/changelist/Operation$SideEffect;->()V +HSPLandroidx/compose/runtime/changelist/Operation$SideEffect;->()V +HPLandroidx/compose/runtime/changelist/Operation$SideEffect;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup; +HSPLandroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->()V +PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->()V +PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$UpdateNode; +HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V +HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V +HPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$UpdateValue; +HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V +HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V +HPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$Ups; +HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V +HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V +HPLandroidx/compose/runtime/changelist/Operation$Ups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/OperationArgContainer; +Landroidx/compose/runtime/changelist/OperationKt; +HSPLandroidx/compose/runtime/changelist/OperationKt;->access$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I +HSPLandroidx/compose/runtime/changelist/OperationKt;->access$positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V +HSPLandroidx/compose/runtime/changelist/OperationKt;->currentNodeIndex(Landroidx/compose/runtime/SlotWriter;)I +HPLandroidx/compose/runtime/changelist/OperationKt;->positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I +HSPLandroidx/compose/runtime/changelist/OperationKt;->positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V +Landroidx/compose/runtime/changelist/Operations; +HSPLandroidx/compose/runtime/changelist/Operations;->()V +HPLandroidx/compose/runtime/changelist/Operations;->()V +HPLandroidx/compose/runtime/changelist/Operations;->access$createExpectedArgMask(Landroidx/compose/runtime/changelist/Operations;I)I +HPLandroidx/compose/runtime/changelist/Operations;->access$getIntArgs$p(Landroidx/compose/runtime/changelist/Operations;)[I +HPLandroidx/compose/runtime/changelist/Operations;->access$getObjectArgs$p(Landroidx/compose/runtime/changelist/Operations;)[Ljava/lang/Object; +HPLandroidx/compose/runtime/changelist/Operations;->access$getOpCodes$p(Landroidx/compose/runtime/changelist/Operations;)[Landroidx/compose/runtime/changelist/Operation; +HPLandroidx/compose/runtime/changelist/Operations;->access$getOpCodesSize$p(Landroidx/compose/runtime/changelist/Operations;)I +HPLandroidx/compose/runtime/changelist/Operations;->access$getPushedIntMask$p(Landroidx/compose/runtime/changelist/Operations;)I +HPLandroidx/compose/runtime/changelist/Operations;->access$getPushedObjectMask$p(Landroidx/compose/runtime/changelist/Operations;)I +HPLandroidx/compose/runtime/changelist/Operations;->access$setPushedIntMask$p(Landroidx/compose/runtime/changelist/Operations;I)V +HPLandroidx/compose/runtime/changelist/Operations;->access$setPushedObjectMask$p(Landroidx/compose/runtime/changelist/Operations;I)V +HPLandroidx/compose/runtime/changelist/Operations;->access$topIntIndexOf-w8GmfQM(Landroidx/compose/runtime/changelist/Operations;I)I +HPLandroidx/compose/runtime/changelist/Operations;->access$topObjectIndexOf-31yXWZQ(Landroidx/compose/runtime/changelist/Operations;I)I +HPLandroidx/compose/runtime/changelist/Operations;->clear()V +HPLandroidx/compose/runtime/changelist/Operations;->createExpectedArgMask(I)I +HPLandroidx/compose/runtime/changelist/Operations;->determineNewSize(II)I +HPLandroidx/compose/runtime/changelist/Operations;->ensureIntArgsSizeAtLeast(I)V +HPLandroidx/compose/runtime/changelist/Operations;->ensureObjectArgsSizeAtLeast(I)V +HSPLandroidx/compose/runtime/changelist/Operations;->executeAndFlushAllPendingOperations(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/Operations;->getSize()I +HPLandroidx/compose/runtime/changelist/Operations;->isEmpty()Z +HPLandroidx/compose/runtime/changelist/Operations;->isNotEmpty()Z +HPLandroidx/compose/runtime/changelist/Operations;->peekOperation()Landroidx/compose/runtime/changelist/Operation; +HPLandroidx/compose/runtime/changelist/Operations;->popInto(Landroidx/compose/runtime/changelist/Operations;)V +HPLandroidx/compose/runtime/changelist/Operations;->push(Landroidx/compose/runtime/changelist/Operation;)V +HPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V +HPLandroidx/compose/runtime/changelist/Operations;->topIntIndexOf-w8GmfQM(I)I +HPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I +Landroidx/compose/runtime/changelist/Operations$Companion; +HSPLandroidx/compose/runtime/changelist/Operations$Companion;->()V +HSPLandroidx/compose/runtime/changelist/Operations$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/runtime/changelist/Operations$OpIterator; +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->(Landroidx/compose/runtime/changelist/Operations;)V +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getInt-w8GmfQM(I)I +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getObject-31yXWZQ(I)Ljava/lang/Object; +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getOperation()Landroidx/compose/runtime/changelist/Operation; +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->next()Z +Landroidx/compose/runtime/changelist/Operations$WriteScope; +HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->constructor-impl(Landroidx/compose/runtime/changelist/Operations;)Landroidx/compose/runtime/changelist/Operations; +HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->setInt-A6tL2VI(Landroidx/compose/runtime/changelist/Operations;II)V +HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->setObject-DKhxnng(Landroidx/compose/runtime/changelist/Operations;ILjava/lang/Object;)V +Landroidx/compose/runtime/changelist/OperationsDebugStringFormattable; Landroidx/compose/runtime/collection/IdentityArrayMap; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->()V HPLandroidx/compose/runtime/collection/IdentityArrayMap;->(I)V HPLandroidx/compose/runtime/collection/IdentityArrayMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/runtime/collection/IdentityArrayMap;->access$setSize$p(Landroidx/compose/runtime/collection/IdentityArrayMap;I)V -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->clear()V -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->contains(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/IdentityArrayMap;->find(Ljava/lang/Object;)I -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->getKeys()[Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->getKeys()[Ljava/lang/Object; HPLandroidx/compose/runtime/collection/IdentityArrayMap;->getSize()I -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->getValues()[Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->getValues()[Ljava/lang/Object; HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->isNotEmpty()Z -HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/collection/IdentityArrayMap;->set(Ljava/lang/Object;Ljava/lang/Object;)V Landroidx/compose/runtime/collection/IdentityArraySet; +HSPLandroidx/compose/runtime/collection/IdentityArraySet;->()V HPLandroidx/compose/runtime/collection/IdentityArraySet;->()V -HPLandroidx/compose/runtime/collection/IdentityArraySet;->access$setSize$p(Landroidx/compose/runtime/collection/IdentityArraySet;I)V HPLandroidx/compose/runtime/collection/IdentityArraySet;->add(Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityArraySet;->addAll(Ljava/util/Collection;)V HPLandroidx/compose/runtime/collection/IdentityArraySet;->clear()V -HPLandroidx/compose/runtime/collection/IdentityArraySet;->contains(Ljava/lang/Object;)Z +PLandroidx/compose/runtime/collection/IdentityArraySet;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->find(Ljava/lang/Object;)I HPLandroidx/compose/runtime/collection/IdentityArraySet;->getSize()I HPLandroidx/compose/runtime/collection/IdentityArraySet;->getValues()[Ljava/lang/Object; HPLandroidx/compose/runtime/collection/IdentityArraySet;->isEmpty()Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->isNotEmpty()Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->iterator()Ljava/util/Iterator; -HPLandroidx/compose/runtime/collection/IdentityArraySet;->remove(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->size()I Landroidx/compose/runtime/collection/IdentityArraySet$iterator$1; HPLandroidx/compose/runtime/collection/IdentityArraySet$iterator$1;->(Landroidx/compose/runtime/collection/IdentityArraySet;)V HPLandroidx/compose/runtime/collection/IdentityArraySet$iterator$1;->hasNext()Z HPLandroidx/compose/runtime/collection/IdentityArraySet$iterator$1;->next()Ljava/lang/Object; -Landroidx/compose/runtime/collection/IdentityScopeMap; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->()V -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->access$find(Landroidx/compose/runtime/collection/IdentityScopeMap;Ljava/lang/Object;)I -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->access$scopeSetAt(Landroidx/compose/runtime/collection/IdentityScopeMap;I)Landroidx/compose/runtime/collection/IdentityArraySet; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->clear()V -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->contains(Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->find(Ljava/lang/Object;)I -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->getOrCreateIdentitySet(Ljava/lang/Object;)Landroidx/compose/runtime/collection/IdentityArraySet; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->getScopeSets()[Landroidx/compose/runtime/collection/IdentityArraySet; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->getSize()I -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->getValueOrder()[I -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->getValues()[Ljava/lang/Object; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->removeScope(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->scopeSetAt(I)Landroidx/compose/runtime/collection/IdentityArraySet; -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->setSize(I)V -Landroidx/compose/runtime/collection/IntMap; -HPLandroidx/compose/runtime/collection/IntMap;->(I)V -HSPLandroidx/compose/runtime/collection/IntMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/runtime/collection/IntMap;->(Landroid/util/SparseArray;)V -HPLandroidx/compose/runtime/collection/IntMap;->clear()V -HPLandroidx/compose/runtime/collection/IntMap;->get(I)Ljava/lang/Object; Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/runtime/collection/MutableVector;->()V HPLandroidx/compose/runtime/collection/MutableVector;->([Ljava/lang/Object;I)V HPLandroidx/compose/runtime/collection/MutableVector;->add(ILjava/lang/Object;)V +HPLandroidx/compose/runtime/collection/MutableVector;->add(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/MutableVector;->addAll(ILandroidx/compose/runtime/collection/MutableVector;)Z HPLandroidx/compose/runtime/collection/MutableVector;->asMutableList()Ljava/util/List; HPLandroidx/compose/runtime/collection/MutableVector;->clear()V @@ -5112,22 +5759,26 @@ HPLandroidx/compose/runtime/collection/MutableVector;->remove(Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector;->removeAt(I)Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector;->removeRange(II)V HSPLandroidx/compose/runtime/collection/MutableVector;->set(ILjava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/MutableVector;->setSize(I)V HPLandroidx/compose/runtime/collection/MutableVector;->sortWith(Ljava/util/Comparator;)V Landroidx/compose/runtime/collection/MutableVector$MutableVectorList; HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->(Landroidx/compose/runtime/collection/MutableVector;)V HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->get(I)Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->getSize()I -HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->indexOf(Ljava/lang/Object;)I +PLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->indexOf(Ljava/lang/Object;)I HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->isEmpty()Z -HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->iterator()Ljava/util/Iterator; HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->size()I -Landroidx/compose/runtime/collection/MutableVector$VectorListIterator; -HPLandroidx/compose/runtime/collection/MutableVector$VectorListIterator;->(Ljava/util/List;I)V -HPLandroidx/compose/runtime/collection/MutableVector$VectorListIterator;->hasNext()Z -HPLandroidx/compose/runtime/collection/MutableVector$VectorListIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/collection/MutableVectorKt; HPLandroidx/compose/runtime/collection/MutableVectorKt;->access$checkIndex(Ljava/util/List;I)V HPLandroidx/compose/runtime/collection/MutableVectorKt;->checkIndex(Ljava/util/List;I)V +Landroidx/compose/runtime/collection/ScopeMap; +HSPLandroidx/compose/runtime/collection/ScopeMap;->()V +HPLandroidx/compose/runtime/collection/ScopeMap;->()V +HPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V +HPLandroidx/compose/runtime/collection/ScopeMap;->contains(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/collection/ScopeMap;->getMap()Landroidx/collection/MutableScatterMap; +HPLandroidx/compose/runtime/collection/ScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/collection/ScopeMap;->removeScope(Ljava/lang/Object;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/ExtensionsKt; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/ExtensionsKt;->persistentHashMapOf()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/ExtensionsKt;->persistentListOf()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; @@ -5143,16 +5794,19 @@ Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList$ Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap$Builder; Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentSet; +PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->()V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->(II)V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getIndex()I PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->hasNext()Z PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->setIndex(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->contains(Ljava/lang/Object;)Z PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->iterator()Ljava/util/Iterator; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->listIterator()Ljava/util/ListIterator; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->remove(Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; +PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->()V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->([Ljava/lang/Object;II)V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; @@ -5175,7 +5829,8 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/UtilsKt; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/UtilsKt;->persistentVectorOf()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->(Ljava/lang/Object;Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->()V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->getKey()Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->getValue()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -5185,9 +5840,9 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap$Builder; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->containsKey(Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getNode$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getSize()I HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -5197,13 +5852,15 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap$Companion;->emptyOf$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;[Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->checkHasNext()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->ensureNextEntryIsReady()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->hasNext()Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->moveToNextNodeWithData(I)I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->moveToNextNodeWithData(I)I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->build()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->build()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -5215,34 +5872,37 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->putAll(Ljava/util/Map;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->remove(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setModCount$runtime_release(I)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setOperationResult$runtime_release(Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setOperationResult$runtime_release(Ljava/lang/Object;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setOwnership(Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setSize(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->getSize()I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->()V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->getSize()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->iterator()Ljava/util/Iterator; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator;->()V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asInsertResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; -PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asUpdateResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->bufferMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)[Ljava/lang/Object; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asInsertResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asUpdateResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->bufferMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->elementsIdentityEquals(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$runtime_release(I)I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->getBuffer$runtime_release()[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$runtime_release(I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->makeNode(ILjava/lang/Object;Ljava/lang/Object;ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->moveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -5252,29 +5912,34 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableUpdateValueAtIndex(ILjava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->nodeAtIndex$runtime_release(I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->nodeIndex$runtime_release(I)I -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->put(ILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->put(ILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->remove(ILjava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->removeEntryAtIndex(II)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->updateValueAtIndex(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->updateNodeAtIndex(IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->updateValueAtIndex(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->valueAtKeyIndex(I)Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion;->getEMPTY$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->()V +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->getBuffer()[Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->getIndex()I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->hasNextKey()Z +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->hasNextKey()Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->hasNextNode()Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;II)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;I)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;II)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->setIndex(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->next()Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->next()Ljava/util/Map$Entry; @@ -5287,6 +5952,7 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->removeEntryAtIndex([Ljava/lang/Object;I)[Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->replaceEntryWithNode([Ljava/lang/Object;IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)[Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->(Ljava/lang/Object;Ljava/lang/Object;)V @@ -5310,10 +5976,11 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/CommonFunctionsKt; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/CommonFunctionsKt;->assert(Z)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->(I)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->getCount()I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->setCount(I)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->setCount(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/EndOfChain; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/EndOfChain;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/EndOfChain;->()V @@ -5323,11 +5990,13 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/Lis HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/ListImplementation;->checkElementIndex$runtime_release(II)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/ListImplementation;->checkPositionIndex$runtime_release(II)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;->()V Landroidx/compose/runtime/internal/ComposableLambda; Landroidx/compose/runtime/internal/ComposableLambdaImpl; -HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->(IZ)V -HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->()V +HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->(IZLjava/lang/Object;)V +HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; @@ -5349,6 +6018,12 @@ HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->composableLambdaInstan HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->differentBits(I)I HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->replacableWith(Landroidx/compose/runtime/RecomposeScope;Landroidx/compose/runtime/RecomposeScope;)Z HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->sameBits(I)I +Landroidx/compose/runtime/internal/IntRef; +HSPLandroidx/compose/runtime/internal/IntRef;->()V +HSPLandroidx/compose/runtime/internal/IntRef;->(I)V +HSPLandroidx/compose/runtime/internal/IntRef;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/runtime/internal/IntRef;->getElement()I +HPLandroidx/compose/runtime/internal/IntRef;->setElement(I)V Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap; HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->()V HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V @@ -5360,6 +6035,7 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->contain HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->putValue(Landroidx/compose/runtime/CompositionLocal;Landroidx/compose/runtime/State;)Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder; HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder;->()V HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder;->(Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;)V @@ -5372,38 +6048,47 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Companion Landroidx/compose/runtime/internal/PersistentCompositionLocalMapKt; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalMapKt;->persistentCompositionLocalHashMapOf()Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap; Landroidx/compose/runtime/internal/ThreadMap; +HSPLandroidx/compose/runtime/internal/ThreadMap;->()V HSPLandroidx/compose/runtime/internal/ThreadMap;->(I[J[Ljava/lang/Object;)V -HPLandroidx/compose/runtime/internal/ThreadMap;->find(J)I -HPLandroidx/compose/runtime/internal/ThreadMap;->get(J)Ljava/lang/Object; -HSPLandroidx/compose/runtime/internal/ThreadMap;->newWith(JLjava/lang/Object;)Landroidx/compose/runtime/internal/ThreadMap; -HPLandroidx/compose/runtime/internal/ThreadMap;->trySet(JLjava/lang/Object;)Z -Landroidx/compose/runtime/internal/ThreadMapKt; -HSPLandroidx/compose/runtime/internal/ThreadMapKt;->()V -HSPLandroidx/compose/runtime/internal/ThreadMapKt;->getEmptyThreadMap()Landroidx/compose/runtime/internal/ThreadMap; +Landroidx/compose/runtime/internal/ThreadMap_jvmKt; +HSPLandroidx/compose/runtime/internal/ThreadMap_jvmKt;->()V +HSPLandroidx/compose/runtime/internal/ThreadMap_jvmKt;->getEmptyThreadMap()Landroidx/compose/runtime/internal/ThreadMap; Landroidx/compose/runtime/saveable/ListSaverKt; HSPLandroidx/compose/runtime/saveable/ListSaverKt;->listSaver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/ListSaverKt$listSaver$1; HSPLandroidx/compose/runtime/saveable/ListSaverKt$listSaver$1;->(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/saveable/ListSaverKt$listSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/saveable/ListSaverKt$listSaver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/saveable/MapSaverKt; +HSPLandroidx/compose/runtime/saveable/MapSaverKt;->mapSaver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; +Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/util/List; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/runtime/saveable/RememberSaveableKt; HSPLandroidx/compose/runtime/saveable/RememberSaveableKt;->()V HSPLandroidx/compose/runtime/saveable/RememberSaveableKt;->access$requireCanBeSaved(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/Object;)V HPLandroidx/compose/runtime/saveable/RememberSaveableKt;->rememberSaveable([Ljava/lang/Object;Landroidx/compose/runtime/saveable/Saver;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)Ljava/lang/Object; HSPLandroidx/compose/runtime/saveable/RememberSaveableKt;->requireCanBeSaved(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/Object;)V Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1; -HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;)V -HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry;)V -PLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$invoke$$inlined$onDispose$1;->dispose()V -Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1;->(Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1;->invoke()Ljava/lang/Object; -Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1$1$1; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1$1$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1$1$1;->canBeSaved(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->(Landroidx/compose/runtime/saveable/SaveableHolder;Landroidx/compose/runtime/saveable/Saver;Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke()V +Landroidx/compose/runtime/saveable/SaveableHolder; +HPLandroidx/compose/runtime/saveable/SaveableHolder;->(Landroidx/compose/runtime/saveable/Saver;Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->access$getSaver$p(Landroidx/compose/runtime/saveable/SaveableHolder;)Landroidx/compose/runtime/saveable/Saver; +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->access$getValue$p(Landroidx/compose/runtime/saveable/SaveableHolder;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->canBeSaved(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/saveable/SaveableHolder;->getValueIfInputsDidntChange([Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/runtime/saveable/SaveableHolder;->onForgotten()V +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->onRemembered()V +HPLandroidx/compose/runtime/saveable/SaveableHolder;->register()V +HPLandroidx/compose/runtime/saveable/SaveableHolder;->update(Landroidx/compose/runtime/saveable/Saver;Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +Landroidx/compose/runtime/saveable/SaveableHolder$valueProvider$1; +HSPLandroidx/compose/runtime/saveable/SaveableHolder$valueProvider$1;->(Landroidx/compose/runtime/saveable/SaveableHolder;)V +HPLandroidx/compose/runtime/saveable/SaveableHolder$valueProvider$1;->invoke()Ljava/lang/Object; PLandroidx/compose/runtime/saveable/SaveableStateHolderImpl;->()V PLandroidx/compose/runtime/saveable/SaveableStateHolderImpl;->(Ljava/util/Map;)V PLandroidx/compose/runtime/saveable/SaveableStateHolderImpl;->(Ljava/util/Map;ILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -5450,7 +6135,7 @@ HPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl;->performSave()Lj HPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; Landroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3;->(Landroidx/compose/runtime/saveable/SaveableStateRegistryImpl;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3;->unregister()V +PLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3;->unregister()V Landroidx/compose/runtime/saveable/SaveableStateRegistryKt; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->()V HPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->SaveableStateRegistry(Ljava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/SaveableStateRegistry; @@ -5473,14 +6158,19 @@ HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$2;->()V HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$2;->()V Landroidx/compose/runtime/saveable/SaverKt$Saver$1; HSPLandroidx/compose/runtime/saveable/SaverKt$Saver$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/runtime/saveable/SaverKt$Saver$1;->save(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/saveable/SaverKt$Saver$1;->save(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/saveable/SaverScope; Landroidx/compose/runtime/snapshots/GlobalSnapshot; +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->()V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->notifyObjectsInitialized$runtime_release()V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->takeNestedMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->takeNestedSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; +Landroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1; +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1;->(Ljava/util/List;)V +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1;->invoke(Ljava/lang/Object;)V Landroidx/compose/runtime/snapshots/GlobalSnapshot$takeNestedMutableSnapshot$1; HPLandroidx/compose/runtime/snapshots/GlobalSnapshot$takeNestedMutableSnapshot$1;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot$takeNestedMutableSnapshot$1;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/MutableSnapshot; @@ -5493,7 +6183,6 @@ Landroidx/compose/runtime/snapshots/ListUtilsKt; PLandroidx/compose/runtime/snapshots/ListUtilsKt;->fastToSet(Ljava/util/List;)Ljava/util/Set; Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->()V -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->advance$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->closeLocked$runtime_release()V @@ -5501,47 +6190,45 @@ HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->dispose()V HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getApplied$runtime_release()Z HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getModified$runtime_release()Landroidx/compose/runtime/collection/IdentityArraySet; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getPreviousIds$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getPreviousPinnedSnapshots$runtime_release()[I HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteObserver$runtime_release()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->innerApplyLocked$runtime_release(ILjava/util/Map;Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotApplyResult; -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->nestedActivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V +PLandroidx/compose/runtime/snapshots/MutableSnapshot;->nestedActivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->nestedDeactivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->notifyObjectsInitialized$runtime_release()V +HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->notifyObjectsInitialized$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordModified$runtime_release(Landroidx/compose/runtime/snapshots/StateObject;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPrevious$runtime_release(I)V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPreviousList$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPreviousPinnedSnapshot$runtime_release(I)V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPreviousPinnedSnapshots$runtime_release([I)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->releasePreviouslyPinnedSnapshotsLocked()V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->setApplied$runtime_release(Z)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->setModified(Landroidx/compose/runtime/collection/IdentityArraySet;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->setWriteCount$runtime_release(I)V -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->takeNestedMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->takeNestedSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->validateNotAppliedOrPinned()V +PLandroidx/compose/runtime/snapshots/MutableSnapshot;->validateNotAppliedOrPinned()V Landroidx/compose/runtime/snapshots/MutableSnapshot$Companion; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot$Companion;->()V HSPLandroidx/compose/runtime/snapshots/MutableSnapshot$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/runtime/snapshots/NestedMutableSnapshot; -HPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/snapshots/MutableSnapshot;)V -HPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; -HSPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->deactivate()V -HSPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->dispose()V +PLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->()V HPLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/snapshots/Snapshot;)V HPLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->dispose()V PLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; Landroidx/compose/runtime/snapshots/ObserverHandle; +Landroidx/compose/runtime/snapshots/ReaderKind; +HSPLandroidx/compose/runtime/snapshots/ReaderKind;->()V +HPLandroidx/compose/runtime/snapshots/ReaderKind;->constructor-impl(I)I +Landroidx/compose/runtime/snapshots/ReaderKind$Companion; +HSPLandroidx/compose/runtime/snapshots/ReaderKind$Companion;->()V +HSPLandroidx/compose/runtime/snapshots/ReaderKind$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/runtime/snapshots/ReadonlySnapshot; +HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->()V HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->dispose()V HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->nestedDeactivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V Landroidx/compose/runtime/snapshots/Snapshot; HSPLandroidx/compose/runtime/snapshots/Snapshot;->()V +HPLandroidx/compose/runtime/snapshots/Snapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/Snapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/Snapshot;->closeAndReleasePinning$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->closeLocked$runtime_release()V @@ -5549,31 +6236,33 @@ HPLandroidx/compose/runtime/snapshots/Snapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/Snapshot;->getDisposed$runtime_release()Z HPLandroidx/compose/runtime/snapshots/Snapshot;->getId()I HPLandroidx/compose/runtime/snapshots/Snapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HPLandroidx/compose/runtime/snapshots/Snapshot;->makeCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->restoreCurrent(Landroidx/compose/runtime/snapshots/Snapshot;)V HPLandroidx/compose/runtime/snapshots/Snapshot;->setDisposed$runtime_release(Z)V HSPLandroidx/compose/runtime/snapshots/Snapshot;->setId$runtime_release(I)V -HPLandroidx/compose/runtime/snapshots/Snapshot;->setInvalid$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V -HSPLandroidx/compose/runtime/snapshots/Snapshot;->takeoverPinnedSnapshot$runtime_release()I -HSPLandroidx/compose/runtime/snapshots/Snapshot;->validateNotDisposed$runtime_release()V +HSPLandroidx/compose/runtime/snapshots/Snapshot;->setInvalid$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V +PLandroidx/compose/runtime/snapshots/Snapshot;->validateNotDisposed$runtime_release()V Landroidx/compose/runtime/snapshots/Snapshot$Companion; +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->$r8$lambda$jS7BU8l_ZXLY3K3v0EKVcok6S0g(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->()V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->createNonObservableSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->getCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->notifyObjectsInitialized()V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->observe(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver$lambda$6(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver(Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/snapshots/ObserverHandle; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerGlobalWriteObserver(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/ObserverHandle; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->sendApplyNotifications()V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; -Landroidx/compose/runtime/snapshots/Snapshot$Companion$registerApplyObserver$2; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$registerApplyObserver$2;->(Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$registerApplyObserver$2;->dispose()V -Landroidx/compose/runtime/snapshots/Snapshot$Companion$registerGlobalWriteObserver$2; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$registerGlobalWriteObserver$2;->(Lkotlin/jvm/functions/Function1;)V +Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0; +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->dispose()V +Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1; +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult;->()V @@ -5583,6 +6272,7 @@ Landroidx/compose/runtime/snapshots/SnapshotApplyResult$Success; HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult$Success;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult$Success;->()V Landroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap; +HSPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->()V HPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->add(I)I HPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->allocateHandle()I @@ -5637,12 +6327,14 @@ HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$mergedWriteObserver(Lk HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$optimisticMerges(Landroidx/compose/runtime/snapshots/MutableSnapshot;Landroidx/compose/runtime/snapshots/MutableSnapshot;Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Ljava/util/Map; HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$processForUnusedRecordsLocked(Landroidx/compose/runtime/snapshots/StateObject;)V HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$readable(Landroidx/compose/runtime/snapshots/StateRecord;ILandroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setApplyObservers$p(Ljava/util/List;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setGlobalWriteObservers$p(Ljava/util/List;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setNextSnapshotId$p(I)V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setOpenSnapshots$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$takeNewGlobalSnapshot(Landroidx/compose/runtime/snapshots/Snapshot;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$takeNewSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$validateOpen(Landroidx/compose/runtime/snapshots/Snapshot;)V -HPLandroidx/compose/runtime/snapshots/SnapshotKt;->addRange(Landroidx/compose/runtime/snapshots/SnapshotIdSet;II)Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->addRange(Landroidx/compose/runtime/snapshots/SnapshotIdSet;II)Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->advanceGlobalSnapshot()V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->advanceGlobalSnapshot(Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->checkAndOverwriteUnusedRecordsLocked()V @@ -5678,12 +6370,12 @@ HPLandroidx/compose/runtime/snapshots/SnapshotKt;->writableRecord(Landroidx/comp Landroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3; HSPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1; HSPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotKt$mergedReadObserver$1; HPLandroidx/compose/runtime/snapshots/SnapshotKt$mergedReadObserver$1;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V @@ -5715,23 +6407,26 @@ HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->addAll(Ljava/util/Col HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->contains(Ljava/lang/Object;)Z HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->get(I)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getModification$runtime_release()I HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getReadable$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getSize()I -PLandroidx/compose/runtime/snapshots/SnapshotStateList;->isEmpty()Z -HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->iterator()Ljava/util/Iterator; -HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->listIterator()Ljava/util/ListIterator; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getStructure$runtime_release()I +HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->isEmpty()Z +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->iterator()Ljava/util/Iterator; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->listIterator()Ljava/util/ListIterator; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->set(ILjava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I +HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I Landroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->()V HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getList$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; -HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getModification$runtime_release()I -HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setList$runtime_release(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getModification$runtime_release()I +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getStructuralChange$runtime_release()I +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setList$runtime_release(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setModification$runtime_release(I)V +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setStructuralChange$runtime_release(I)V Landroidx/compose/runtime/snapshots/SnapshotStateList$addAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateList$retainAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateListKt; @@ -5741,20 +6436,17 @@ HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$validateRang HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->validateRange(II)V Landroidx/compose/runtime/snapshots/SnapshotStateMap; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->()V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->()V +HPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getReadable$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getSize()I -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->size()I Landroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->getMap$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->getModification$runtime_release()I -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->setMap$runtime_release(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap;)V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->setModification$runtime_release(I)V Landroidx/compose/runtime/snapshots/SnapshotStateMapKt; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMapKt;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateMapKt;->access$getSync$p()Ljava/lang/Object; @@ -5770,9 +6462,9 @@ HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$isPaused$p( HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$sendNotifications(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$setSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;Z)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->addChanges(Ljava/util/Set;)V -HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear()V +HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear(Ljava/lang/Object;)V -PLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clearIf(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clearIf(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->drainChanges()Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->ensureMap(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->observeReads(Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V @@ -5784,15 +6476,15 @@ Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->access$getDeriveStateScopeCount$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;)I HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->access$setDeriveStateScopeCount$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;I)V -HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->clear()V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->clearObsoleteStateReads(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->clearScopeObservations(Ljava/lang/Object;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->getOnChanged()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->hasScopeObservations()Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->notifyInvalidatedScopes()V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->observe(Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordInvalidation(Ljava/util/Set;)Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordRead(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordRead(Ljava/lang/Object;ILjava/lang/Object;Landroidx/compose/runtime/collection/IdentityArrayIntMap;)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordRead(Ljava/lang/Object;ILjava/lang/Object;Landroidx/collection/MutableObjectIntMap;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->removeObservation(Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->removeScopeIf(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap$derivedStateObserver$1; @@ -5812,14 +6504,20 @@ HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$sendNotifications$1; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$sendNotifications$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$sendNotifications$1;->invoke()V Landroidx/compose/runtime/snapshots/SnapshotWeakSet; +HSPLandroidx/compose/runtime/snapshots/SnapshotWeakSet;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotWeakSet;->()V HPLandroidx/compose/runtime/snapshots/SnapshotWeakSet;->getSize$runtime_release()I Landroidx/compose/runtime/snapshots/StateListIterator; HPLandroidx/compose/runtime/snapshots/StateListIterator;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;I)V -HPLandroidx/compose/runtime/snapshots/StateListIterator;->hasNext()Z +HSPLandroidx/compose/runtime/snapshots/StateListIterator;->hasNext()Z HPLandroidx/compose/runtime/snapshots/StateListIterator;->next()Ljava/lang/Object; -HPLandroidx/compose/runtime/snapshots/StateListIterator;->validateModification()V +HSPLandroidx/compose/runtime/snapshots/StateListIterator;->validateModification()V Landroidx/compose/runtime/snapshots/StateObject; +Landroidx/compose/runtime/snapshots/StateObjectImpl; +HSPLandroidx/compose/runtime/snapshots/StateObjectImpl;->()V +HPLandroidx/compose/runtime/snapshots/StateObjectImpl;->()V +HPLandroidx/compose/runtime/snapshots/StateObjectImpl;->isReadIn-h_f27i8$runtime_release(I)Z +HPLandroidx/compose/runtime/snapshots/StateObjectImpl;->recordReadIn-h_f27i8$runtime_release(I)V Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/snapshots/StateRecord;->()V HPLandroidx/compose/runtime/snapshots/StateRecord;->()V @@ -5829,6 +6527,7 @@ HPLandroidx/compose/runtime/snapshots/StateRecord;->setNext$runtime_release(Land HPLandroidx/compose/runtime/snapshots/StateRecord;->setSnapshotId$runtime_release(I)V Landroidx/compose/runtime/snapshots/SubList; Landroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot; +HSPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->()V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->(Landroidx/compose/runtime/snapshots/MutableSnapshot;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;ZZ)V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->dispose()V @@ -5842,6 +6541,7 @@ HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->recor HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->setWriteCount$runtime_release(I)V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->takeNestedMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->takeNestedSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; +PLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->()V HPLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->(Landroidx/compose/runtime/snapshots/Snapshot;Lkotlin/jvm/functions/Function1;ZZ)V HPLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->dispose()V PLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->getCurrentSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; @@ -5857,8 +6557,8 @@ HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1; HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1;->()V HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1;->invoke()Ljava/lang/Object; HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1;->invoke()Ljava/util/Set; -Landroidx/compose/ui/ActualKt; -HPLandroidx/compose/ui/ActualKt;->areObjectsOfSameType(Ljava/lang/Object;Ljava/lang/Object;)Z +Landroidx/compose/ui/Actual_jvmKt; +HSPLandroidx/compose/ui/Actual_jvmKt;->areObjectsOfSameType(Ljava/lang/Object;Ljava/lang/Object;)Z Landroidx/compose/ui/Alignment; HSPLandroidx/compose/ui/Alignment;->()V Landroidx/compose/ui/Alignment$Companion; @@ -5867,7 +6567,7 @@ HSPLandroidx/compose/ui/Alignment$Companion;->()V HSPLandroidx/compose/ui/Alignment$Companion;->getCenter()Landroidx/compose/ui/Alignment; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterHorizontally()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterVertically()Landroidx/compose/ui/Alignment$Vertical; -HPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; +HSPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getTop()Landroidx/compose/ui/Alignment$Vertical; PLandroidx/compose/ui/Alignment$Companion;->getTopCenter()Landroidx/compose/ui/Alignment; HPLandroidx/compose/ui/Alignment$Companion;->getTopStart()Landroidx/compose/ui/Alignment; @@ -5900,10 +6600,8 @@ Landroidx/compose/ui/ComposedModifier; HPLandroidx/compose/ui/ComposedModifier;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/ui/ComposedModifier;->getFactory()Lkotlin/jvm/functions/Function3; Landroidx/compose/ui/ComposedModifierKt; -HSPLandroidx/compose/ui/ComposedModifierKt;->composed$default(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function3;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/ComposedModifierKt;->composed(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function3;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/ComposedModifierKt;->materializeModifier(Landroidx/compose/runtime/Composer;Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/ComposedModifierKt;->materializeWithCompositionLocalInjectionInternal(Landroidx/compose/runtime/Composer;Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/ComposedModifierKt$materialize$1; HSPLandroidx/compose/ui/ComposedModifierKt$materialize$1;->()V HSPLandroidx/compose/ui/ComposedModifierKt$materialize$1;->()V @@ -5913,22 +6611,14 @@ Landroidx/compose/ui/ComposedModifierKt$materialize$result$1; HPLandroidx/compose/ui/ComposedModifierKt$materialize$result$1;->(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/ui/ComposedModifierKt$materialize$result$1;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/Modifier$Element;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/ComposedModifierKt$materialize$result$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/CompositionLocalMapInjectionElement; -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->(Landroidx/compose/runtime/CompositionLocalMap;)V -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->create()Landroidx/compose/ui/CompositionLocalMapInjectionNode; -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->create()Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->equals(Ljava/lang/Object;)Z -Landroidx/compose/ui/CompositionLocalMapInjectionNode; -HPLandroidx/compose/ui/CompositionLocalMapInjectionNode;->(Landroidx/compose/runtime/CompositionLocalMap;)V -HPLandroidx/compose/ui/CompositionLocalMapInjectionNode;->onAttach()V Landroidx/compose/ui/Modifier; HSPLandroidx/compose/ui/Modifier;->()V HPLandroidx/compose/ui/Modifier;->then(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/Modifier$Companion; HSPLandroidx/compose/ui/Modifier$Companion;->()V HSPLandroidx/compose/ui/Modifier$Companion;->()V -HPLandroidx/compose/ui/Modifier$Companion;->all(Lkotlin/jvm/functions/Function1;)Z -HPLandroidx/compose/ui/Modifier$Companion;->then(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/Modifier$Companion;->all(Lkotlin/jvm/functions/Function1;)Z +HSPLandroidx/compose/ui/Modifier$Companion;->then(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/Modifier$Element; HPLandroidx/compose/ui/Modifier$Element;->all(Lkotlin/jvm/functions/Function1;)Z HPLandroidx/compose/ui/Modifier$Element;->foldIn(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; @@ -5942,23 +6632,25 @@ HPLandroidx/compose/ui/Modifier$Node;->getCoroutineScope()Lkotlinx/coroutines/Co HPLandroidx/compose/ui/Modifier$Node;->getInsertedNodeAwaitingAttachForInvalidation$ui_release()Z HPLandroidx/compose/ui/Modifier$Node;->getKindSet$ui_release()I HPLandroidx/compose/ui/Modifier$Node;->getNode()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/ui/Modifier$Node;->getOwnerScope$ui_release()Landroidx/compose/ui/node/ObserverNodeOwnerScope; HPLandroidx/compose/ui/Modifier$Node;->getParent$ui_release()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/Modifier$Node;->getShouldAutoInvalidate()Z HPLandroidx/compose/ui/Modifier$Node;->getUpdatedNodeAwaitingAttachForInvalidation$ui_release()Z HPLandroidx/compose/ui/Modifier$Node;->isAttached()Z HPLandroidx/compose/ui/Modifier$Node;->markAsAttached$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->markAsDetached$ui_release()V -HSPLandroidx/compose/ui/Modifier$Node;->onAttach()V +HPLandroidx/compose/ui/Modifier$Node;->onAttach()V PLandroidx/compose/ui/Modifier$Node;->onDetach()V PLandroidx/compose/ui/Modifier$Node;->onReset()V PLandroidx/compose/ui/Modifier$Node;->reset$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runAttachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->setAggregateChildKindSet$ui_release(I)V -HPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V +HSPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setChild$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setInsertedNodeAwaitingAttachForInvalidation$ui_release(Z)V HPLandroidx/compose/ui/Modifier$Node;->setKindSet$ui_release(I)V +PLandroidx/compose/ui/Modifier$Node;->setOwnerScope$ui_release(Landroidx/compose/ui/node/ObserverNodeOwnerScope;)V HPLandroidx/compose/ui/Modifier$Node;->setParent$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setUpdatedNodeAwaitingAttachForInvalidation$ui_release(Z)V HSPLandroidx/compose/ui/Modifier$Node;->sideEffect(Lkotlin/jvm/functions/Function0;)V @@ -5976,7 +6668,11 @@ Landroidx/compose/ui/MotionDurationScale$Key; HSPLandroidx/compose/ui/MotionDurationScale$Key;->()V HSPLandroidx/compose/ui/MotionDurationScale$Key;->()V Landroidx/compose/ui/R$id; +Landroidx/compose/ui/SessionMutex; +HSPLandroidx/compose/ui/SessionMutex;->constructor-impl()Ljava/util/concurrent/atomic/AtomicReference; +HSPLandroidx/compose/ui/SessionMutex;->constructor-impl(Ljava/util/concurrent/atomic/AtomicReference;)Ljava/util/concurrent/atomic/AtomicReference; Landroidx/compose/ui/autofill/AndroidAutofill; +HSPLandroidx/compose/ui/autofill/AndroidAutofill;->()V HSPLandroidx/compose/ui/autofill/AndroidAutofill;->(Landroid/view/View;Landroidx/compose/ui/autofill/AutofillTree;)V HSPLandroidx/compose/ui/autofill/AndroidAutofill;->getAutofillManager()Landroid/view/autofill/AutofillManager; Landroidx/compose/ui/autofill/Autofill; @@ -5988,13 +6684,24 @@ PLandroidx/compose/ui/autofill/AutofillCallback;->unregister(Landroidx/compose/u Landroidx/compose/ui/autofill/AutofillTree; HSPLandroidx/compose/ui/autofill/AutofillTree;->()V HSPLandroidx/compose/ui/autofill/AutofillTree;->()V -Landroidx/compose/ui/draw/AlphaKt; -HSPLandroidx/compose/ui/draw/AlphaKt;->alpha(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; +Landroidx/compose/ui/draganddrop/DragAndDropManager; +Landroidx/compose/ui/draganddrop/DragAndDropModifierNode; +Landroidx/compose/ui/draganddrop/DragAndDropNode; +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode;->()V +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode;->(Lkotlin/jvm/functions/Function1;)V +Landroidx/compose/ui/draganddrop/DragAndDropNode$Companion; +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion;->()V +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/ui/draganddrop/DragAndDropNode$Companion$DragAndDropTraversableKey; +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion$DragAndDropTraversableKey;->()V +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion$DragAndDropTraversableKey;->()V +Landroidx/compose/ui/draganddrop/DragAndDropTarget; Landroidx/compose/ui/draw/BuildDrawCacheParams; Landroidx/compose/ui/draw/ClipKt; -HPLandroidx/compose/ui/draw/ClipKt;->clip(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/draw/ClipKt;->clip(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/draw/DrawBackgroundModifier; +HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->()V HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/DrawBehindElement; @@ -6012,17 +6719,17 @@ PLandroidx/compose/ui/draw/DrawWithContentElement;->create()Landroidx/compose/ui PLandroidx/compose/ui/draw/DrawWithContentModifier;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/ui/draw/DrawWithContentModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/PainterElement; -HPLandroidx/compose/ui/draw/PainterElement;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/draw/PainterElement;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V HSPLandroidx/compose/ui/draw/PainterElement;->create()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/draw/PainterElement;->create()Landroidx/compose/ui/draw/PainterNode; Landroidx/compose/ui/draw/PainterModifierKt; HSPLandroidx/compose/ui/draw/PainterModifierKt;->paint$default(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/PainterModifierKt;->paint(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/draw/PainterModifierKt;->paint(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/draw/PainterNode; -HPLandroidx/compose/ui/draw/PainterNode;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/draw/PainterNode;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/draw/PainterNode;->calculateScaledSize-E7KxVPU(J)J HPLandroidx/compose/ui/draw/PainterNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HSPLandroidx/compose/ui/draw/PainterNode;->getUseIntrinsicSize()Z +HPLandroidx/compose/ui/draw/PainterNode;->getUseIntrinsicSize()Z HPLandroidx/compose/ui/draw/PainterNode;->hasSpecifiedAndFiniteHeight-uvyYCjk(J)Z HPLandroidx/compose/ui/draw/PainterNode;->hasSpecifiedAndFiniteWidth-uvyYCjk(J)Z HPLandroidx/compose/ui/draw/PainterNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; @@ -6031,11 +6738,10 @@ Landroidx/compose/ui/draw/PainterNode$measure$1; HSPLandroidx/compose/ui/draw/PainterNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V HSPLandroidx/compose/ui/draw/PainterNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/ui/draw/PainterNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/draw/ShadowKt; -HPLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII$default(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJ)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->(FLandroidx/compose/ui/graphics/Shape;ZJJ)V -HPLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +PLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII$default(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJILjava/lang/Object;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJ)Landroidx/compose/ui/Modifier; +PLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->(FLandroidx/compose/ui/graphics/Shape;ZJJ)V +PLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V PLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/focus/FocusEventModifier; Landroidx/compose/ui/focus/FocusEventModifierNode; @@ -6046,11 +6752,12 @@ HPLandroidx/compose/ui/focus/FocusEventModifierNodeKt;->refreshFocusEventNodes(L Landroidx/compose/ui/focus/FocusEventModifierNodeKt$WhenMappings; HSPLandroidx/compose/ui/focus/FocusEventModifierNodeKt$WhenMappings;->()V Landroidx/compose/ui/focus/FocusInvalidationManager; +HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->()V HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusEventNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusPropertiesNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; -HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusTargetNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; -HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusTargetNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; +HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Ljava/util/Set;Ljava/lang/Object;)V @@ -6064,10 +6771,12 @@ HPLandroidx/compose/ui/focus/FocusModifierKt;->focusTarget(Landroidx/compose/ui/ Landroidx/compose/ui/focus/FocusOrderModifier; Landroidx/compose/ui/focus/FocusOwner; Landroidx/compose/ui/focus/FocusOwnerImpl; +HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->()V HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getFocusTransactionManager()Landroidx/compose/ui/focus/FocusTransactionManager; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getModifier()Landroidx/compose/ui/Modifier; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getRootFocusNode$ui_release()Landroidx/compose/ui/focus/FocusTargetNode; -HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -6076,15 +6785,9 @@ HSPLandroidx/compose/ui/focus/FocusOwnerImpl$modifier$1;->(Landroidx/compo HSPLandroidx/compose/ui/focus/FocusOwnerImpl$modifier$1;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/focus/FocusOwnerImpl$modifier$1;->create()Landroidx/compose/ui/focus/FocusTargetNode; Landroidx/compose/ui/focus/FocusProperties; -PLandroidx/compose/ui/focus/FocusPropertiesElement;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/focus/FocusPropertiesElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/ui/focus/FocusPropertiesElement;->create()Landroidx/compose/ui/focus/FocusPropertiesNode; -PLandroidx/compose/ui/focus/FocusPropertiesKt;->focusProperties(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/focus/FocusPropertiesModifierNode; Landroidx/compose/ui/focus/FocusPropertiesModifierNodeKt; HPLandroidx/compose/ui/focus/FocusPropertiesModifierNodeKt;->invalidateFocusProperties(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V -PLandroidx/compose/ui/focus/FocusPropertiesNode;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/focus/FocusPropertiesNode;->applyFocusProperties(Landroidx/compose/ui/focus/FocusProperties;)V Landroidx/compose/ui/focus/FocusRequesterModifier; Landroidx/compose/ui/focus/FocusRequesterModifierNode; Landroidx/compose/ui/focus/FocusState; @@ -6097,9 +6800,11 @@ HSPLandroidx/compose/ui/focus/FocusStateImpl;->values()[Landroidx/compose/ui/foc Landroidx/compose/ui/focus/FocusStateImpl$WhenMappings; HSPLandroidx/compose/ui/focus/FocusStateImpl$WhenMappings;->()V Landroidx/compose/ui/focus/FocusTargetModifierNode; +PLandroidx/compose/ui/focus/FocusTargetModifierNodeKt;->FocusTargetModifierNode()Landroidx/compose/ui/focus/FocusTargetModifierNode; Landroidx/compose/ui/focus/FocusTargetNode; +HSPLandroidx/compose/ui/focus/FocusTargetNode;->()V HPLandroidx/compose/ui/focus/FocusTargetNode;->()V -HSPLandroidx/compose/ui/focus/FocusTargetNode;->getFocusState()Landroidx/compose/ui/focus/FocusStateImpl; +HPLandroidx/compose/ui/focus/FocusTargetNode;->getFocusState()Landroidx/compose/ui/focus/FocusStateImpl; HPLandroidx/compose/ui/focus/FocusTargetNode;->invalidateFocus$ui_release()V PLandroidx/compose/ui/focus/FocusTargetNode;->onReset()V PLandroidx/compose/ui/focus/FocusTargetNode;->scheduleInvalidationForFocusEvents$ui_release()V @@ -6111,6 +6816,13 @@ HSPLandroidx/compose/ui/focus/FocusTargetNode$FocusTargetElement;->create()Landr HSPLandroidx/compose/ui/focus/FocusTargetNode$FocusTargetElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/focus/FocusTargetNode$WhenMappings; HSPLandroidx/compose/ui/focus/FocusTargetNode$WhenMappings;->()V +Landroidx/compose/ui/focus/FocusTargetNodeKt; +HPLandroidx/compose/ui/focus/FocusTargetNodeKt;->access$getFocusTransactionManager(Landroidx/compose/ui/focus/FocusTargetNode;)Landroidx/compose/ui/focus/FocusTransactionManager; +HPLandroidx/compose/ui/focus/FocusTargetNodeKt;->getFocusTransactionManager(Landroidx/compose/ui/focus/FocusTargetNode;)Landroidx/compose/ui/focus/FocusTransactionManager; +Landroidx/compose/ui/focus/FocusTransactionManager; +HSPLandroidx/compose/ui/focus/FocusTransactionManager;->()V +HSPLandroidx/compose/ui/focus/FocusTransactionManager;->()V +HPLandroidx/compose/ui/focus/FocusTransactionManager;->getUncommittedFocusState(Landroidx/compose/ui/focus/FocusTargetNode;)Landroidx/compose/ui/focus/FocusStateImpl; Landroidx/compose/ui/geometry/CornerRadius; HSPLandroidx/compose/ui/geometry/CornerRadius;->()V HSPLandroidx/compose/ui/geometry/CornerRadius;->access$getZero$cp()J @@ -6132,12 +6844,9 @@ HSPLandroidx/compose/ui/geometry/Offset;->access$getUnspecified$cp()J HPLandroidx/compose/ui/geometry/Offset;->access$getZero$cp()J HSPLandroidx/compose/ui/geometry/Offset;->box-impl(J)Landroidx/compose/ui/geometry/Offset; HSPLandroidx/compose/ui/geometry/Offset;->constructor-impl(J)J -HSPLandroidx/compose/ui/geometry/Offset;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/geometry/Offset;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/geometry/Offset;->getDistance-impl(J)F HPLandroidx/compose/ui/geometry/Offset;->getX-impl(J)F HPLandroidx/compose/ui/geometry/Offset;->getY-impl(J)F -HSPLandroidx/compose/ui/geometry/Offset;->unbox-impl()J Landroidx/compose/ui/geometry/Offset$Companion; HSPLandroidx/compose/ui/geometry/Offset$Companion;->()V HSPLandroidx/compose/ui/geometry/Offset$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6152,13 +6861,13 @@ HPLandroidx/compose/ui/geometry/Rect;->(FFFF)V HSPLandroidx/compose/ui/geometry/Rect;->access$getZero$cp()Landroidx/compose/ui/geometry/Rect; HPLandroidx/compose/ui/geometry/Rect;->getBottom()F PLandroidx/compose/ui/geometry/Rect;->getCenter-F1C5BW0()J -PLandroidx/compose/ui/geometry/Rect;->getHeight()F +HSPLandroidx/compose/ui/geometry/Rect;->getHeight()F HPLandroidx/compose/ui/geometry/Rect;->getLeft()F HPLandroidx/compose/ui/geometry/Rect;->getRight()F PLandroidx/compose/ui/geometry/Rect;->getSize-NH-jbRc()J HPLandroidx/compose/ui/geometry/Rect;->getTop()F PLandroidx/compose/ui/geometry/Rect;->getTopLeft-F1C5BW0()J -PLandroidx/compose/ui/geometry/Rect;->getWidth()F +HSPLandroidx/compose/ui/geometry/Rect;->getWidth()F Landroidx/compose/ui/geometry/Rect$Companion; HSPLandroidx/compose/ui/geometry/Rect$Companion;->()V HSPLandroidx/compose/ui/geometry/Rect$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6173,7 +6882,7 @@ HSPLandroidx/compose/ui/geometry/RoundRect;->getBottom()F HPLandroidx/compose/ui/geometry/RoundRect;->getBottomLeftCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getBottomRightCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getHeight()F -HPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F +HSPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F HSPLandroidx/compose/ui/geometry/RoundRect;->getRight()F HPLandroidx/compose/ui/geometry/RoundRect;->getTop()F HPLandroidx/compose/ui/geometry/RoundRect;->getTopLeftCornerRadius-kKHJgLs()J @@ -6216,33 +6925,34 @@ HPLandroidx/compose/ui/graphics/AndroidBlendMode_androidKt;->toAndroidBlendMode- Landroidx/compose/ui/graphics/AndroidCanvas; HPLandroidx/compose/ui/graphics/AndroidCanvas;->()V PLandroidx/compose/ui/graphics/AndroidCanvas;->clipRect-N_I0leg(FFFFI)V -HPLandroidx/compose/ui/graphics/AndroidCanvas;->concat-58bKbWc([F)V +HSPLandroidx/compose/ui/graphics/AndroidCanvas;->concat-58bKbWc([F)V PLandroidx/compose/ui/graphics/AndroidCanvas;->disableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawArc(FFFFFFZLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawImageRect-HPBpro0(Landroidx/compose/ui/graphics/ImageBitmap;JJJJLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawPath(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Paint;)V -HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V +HSPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRoundRect(FFFFFFLandroidx/compose/ui/graphics/Paint;)V PLandroidx/compose/ui/graphics/AndroidCanvas;->enableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->getInternalCanvas()Landroid/graphics/Canvas; HPLandroidx/compose/ui/graphics/AndroidCanvas;->restore()V PLandroidx/compose/ui/graphics/AndroidCanvas;->rotate(F)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->save()V +HSPLandroidx/compose/ui/graphics/AndroidCanvas;->scale(FF)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->setInternalCanvas(Landroid/graphics/Canvas;)V PLandroidx/compose/ui/graphics/AndroidCanvas;->toRegionOp--7u2Bmg(I)Landroid/graphics/Region$Op; HPLandroidx/compose/ui/graphics/AndroidCanvas;->translate(FF)V Landroidx/compose/ui/graphics/AndroidCanvas_androidKt; HSPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->()V -HPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->ActualCanvas(Landroidx/compose/ui/graphics/ImageBitmap;)Landroidx/compose/ui/graphics/Canvas; +HSPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->ActualCanvas(Landroidx/compose/ui/graphics/ImageBitmap;)Landroidx/compose/ui/graphics/Canvas; HPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->access$getEmptyCanvas$p()Landroid/graphics/Canvas; HPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->getNativeCanvas(Landroidx/compose/ui/graphics/Canvas;)Landroid/graphics/Canvas; Landroidx/compose/ui/graphics/AndroidColorFilter_androidKt; -HSPLandroidx/compose/ui/graphics/AndroidColorFilter_androidKt;->actualTintColorFilter-xETnrds(JI)Landroidx/compose/ui/graphics/ColorFilter; +HPLandroidx/compose/ui/graphics/AndroidColorFilter_androidKt;->actualTintColorFilter-xETnrds(JI)Landroid/graphics/ColorFilter; HSPLandroidx/compose/ui/graphics/AndroidColorFilter_androidKt;->asAndroidColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)Landroid/graphics/ColorFilter; Landroidx/compose/ui/graphics/AndroidColorSpace_androidKt; HSPLandroidx/compose/ui/graphics/AndroidColorSpace_androidKt;->toAndroidColorSpace(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/ColorSpace; Landroidx/compose/ui/graphics/AndroidImageBitmap; -HPLandroidx/compose/ui/graphics/AndroidImageBitmap;->(Landroid/graphics/Bitmap;)V +HSPLandroidx/compose/ui/graphics/AndroidImageBitmap;->(Landroid/graphics/Bitmap;)V HSPLandroidx/compose/ui/graphics/AndroidImageBitmap;->getBitmap$ui_graphics_release()Landroid/graphics/Bitmap; PLandroidx/compose/ui/graphics/AndroidImageBitmap;->getHeight()I PLandroidx/compose/ui/graphics/AndroidImageBitmap;->getWidth()I @@ -6250,10 +6960,9 @@ HSPLandroidx/compose/ui/graphics/AndroidImageBitmap;->prepareToDraw()V Landroidx/compose/ui/graphics/AndroidImageBitmap_androidKt; HSPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->ActualImageBitmap-x__-hDU(IIIZLandroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroidx/compose/ui/graphics/ImageBitmap; HPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->asAndroidBitmap(Landroidx/compose/ui/graphics/ImageBitmap;)Landroid/graphics/Bitmap; -HPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->asImageBitmap(Landroid/graphics/Bitmap;)Landroidx/compose/ui/graphics/ImageBitmap; +PLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->asImageBitmap(Landroid/graphics/Bitmap;)Landroidx/compose/ui/graphics/ImageBitmap; HSPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->toBitmapConfig-1JJdX4A(I)Landroid/graphics/Bitmap$Config; Landroidx/compose/ui/graphics/AndroidMatrixConversions_androidKt; -HSPLandroidx/compose/ui/graphics/AndroidMatrixConversions_androidKt;->setFrom-EL8BTi8(Landroid/graphics/Matrix;[F)V HSPLandroidx/compose/ui/graphics/AndroidMatrixConversions_androidKt;->setFrom-tU-YjHk([FLandroid/graphics/Matrix;)V Landroidx/compose/ui/graphics/AndroidPaint; HSPLandroidx/compose/ui/graphics/AndroidPaint;->()V @@ -6266,14 +6975,14 @@ HPLandroidx/compose/ui/graphics/AndroidPaint;->getColorFilter()Landroidx/compose HPLandroidx/compose/ui/graphics/AndroidPaint;->getFilterQuality-f-v9h1I()I HSPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; HPLandroidx/compose/ui/graphics/AndroidPaint;->getShader()Landroid/graphics/Shader; -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F -HSPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setBlendMode-s9anfk8(I)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setColor-8_81llA(J)V -HPLandroidx/compose/ui/graphics/AndroidPaint;->setColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/AndroidPaint;->setColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setShader(Landroid/graphics/Shader;)V HSPLandroidx/compose/ui/graphics/AndroidPaint;->setStrokeCap-BeK7IIE(I)V HSPLandroidx/compose/ui/graphics/AndroidPaint;->setStrokeWidth(F)V @@ -6281,18 +6990,18 @@ HPLandroidx/compose/ui/graphics/AndroidPaint;->setStyle-k9PVt8s(I)V Landroidx/compose/ui/graphics/AndroidPaint_androidKt; HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->Paint()Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->asComposePaint(Landroid/graphics/Paint;)Landroidx/compose/ui/graphics/Paint; -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeAlpha(Landroid/graphics/Paint;)F +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeAlpha(Landroid/graphics/Paint;)F HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeColor(Landroid/graphics/Paint;)J HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeFilterQuality(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeCap(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeJoin(Landroid/graphics/Paint;)I -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->makeNativePaint()Landroid/graphics/Paint; -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeBlendMode-GB0RdKg(Landroid/graphics/Paint;I)V +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeBlendMode-GB0RdKg(Landroid/graphics/Paint;I)V HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColor-4WTKRHQ(Landroid/graphics/Paint;J)V -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColorFilter(Landroid/graphics/Paint;Landroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColorFilter(Landroid/graphics/Paint;Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeShader(Landroid/graphics/Paint;Landroid/graphics/Shader;)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeStrokeCap-CSYIeUk(Landroid/graphics/Paint;I)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeStrokeWidth(Landroid/graphics/Paint;F)V @@ -6300,7 +7009,7 @@ HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeStyle--5YerkU( Landroidx/compose/ui/graphics/AndroidPaint_androidKt$WhenMappings; HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt$WhenMappings;->()V Landroidx/compose/ui/graphics/AndroidPath; -HPLandroidx/compose/ui/graphics/AndroidPath;->(Landroid/graphics/Path;)V +HSPLandroidx/compose/ui/graphics/AndroidPath;->(Landroid/graphics/Path;)V HSPLandroidx/compose/ui/graphics/AndroidPath;->(Landroid/graphics/Path;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/AndroidPath;->close()V HSPLandroidx/compose/ui/graphics/AndroidPath;->cubicTo(FFFFFF)V @@ -6322,14 +7031,12 @@ HSPLandroidx/compose/ui/graphics/Api26Bitmap;->()V HSPLandroidx/compose/ui/graphics/Api26Bitmap;->createBitmap-x__-hDU$ui_graphics_release(IIIZLandroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/Bitmap; Landroidx/compose/ui/graphics/BlendMode; HSPLandroidx/compose/ui/graphics/BlendMode;->()V -HSPLandroidx/compose/ui/graphics/BlendMode;->(I)V HSPLandroidx/compose/ui/graphics/BlendMode;->access$getClear$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getDst$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getDstOver$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getSrc$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getSrcIn$cp()I HPLandroidx/compose/ui/graphics/BlendMode;->access$getSrcOver$cp()I -HSPLandroidx/compose/ui/graphics/BlendMode;->box-impl(I)Landroidx/compose/ui/graphics/BlendMode; HSPLandroidx/compose/ui/graphics/BlendMode;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/BlendMode;->equals-impl0(II)Z Landroidx/compose/ui/graphics/BlendMode$Companion; @@ -6341,19 +7048,30 @@ HSPLandroidx/compose/ui/graphics/BlendMode$Companion;->getDstOver-0nO6VwU()I HSPLandroidx/compose/ui/graphics/BlendMode$Companion;->getSrc-0nO6VwU()I HSPLandroidx/compose/ui/graphics/BlendMode$Companion;->getSrcIn-0nO6VwU()I HPLandroidx/compose/ui/graphics/BlendMode$Companion;->getSrcOver-0nO6VwU()I +Landroidx/compose/ui/graphics/BlendModeColorFilter; +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JI)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JILandroid/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JILandroid/graphics/ColorFilter;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->getBlendMode-0nO6VwU()I Landroidx/compose/ui/graphics/BlendModeColorFilterHelper; HSPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->()V HSPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->()V -HSPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->BlendModeColorFilter-xETnrds(JI)Landroid/graphics/BlendModeColorFilter; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->getLayerBlock()Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->BlendModeColorFilter-xETnrds(JI)Landroid/graphics/BlendModeColorFilter; +Landroidx/compose/ui/graphics/BlockGraphicsLayerElement; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->equals(Ljava/lang/Object;)Z +Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->getLayerBlock()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V +Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1; +HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/Brush; HSPLandroidx/compose/ui/graphics/Brush;->()V HSPLandroidx/compose/ui/graphics/Brush;->()V @@ -6369,10 +7087,10 @@ Landroidx/compose/ui/graphics/CanvasKt; HSPLandroidx/compose/ui/graphics/CanvasKt;->Canvas(Landroidx/compose/ui/graphics/ImageBitmap;)Landroidx/compose/ui/graphics/Canvas; PLandroidx/compose/ui/graphics/CanvasUtils;->()V PLandroidx/compose/ui/graphics/CanvasUtils;->()V -HPLandroidx/compose/ui/graphics/CanvasUtils;->enableZ(Landroid/graphics/Canvas;Z)V +PLandroidx/compose/ui/graphics/CanvasUtils;->enableZ(Landroid/graphics/Canvas;Z)V PLandroidx/compose/ui/graphics/CanvasZHelper;->()V PLandroidx/compose/ui/graphics/CanvasZHelper;->()V -HPLandroidx/compose/ui/graphics/CanvasZHelper;->enableZ(Landroid/graphics/Canvas;Z)V +PLandroidx/compose/ui/graphics/CanvasZHelper;->enableZ(Landroid/graphics/Canvas;Z)V PLandroidx/compose/ui/graphics/ClipOp;->()V PLandroidx/compose/ui/graphics/ClipOp;->access$getDifference$cp()I PLandroidx/compose/ui/graphics/ClipOp;->access$getIntersect$cp()I @@ -6412,7 +7130,7 @@ HPLandroidx/compose/ui/graphics/Color;->unbox-impl()J Landroidx/compose/ui/graphics/Color$Companion; HSPLandroidx/compose/ui/graphics/Color$Companion;->()V HSPLandroidx/compose/ui/graphics/Color$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J +HPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlue-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getRed-0d7_KjU()J HPLandroidx/compose/ui/graphics/Color$Companion;->getTransparent-0d7_KjU()J @@ -6433,26 +7151,22 @@ HPLandroidx/compose/ui/graphics/ColorKt;->Color(FFFFLandroidx/compose/ui/graphic HPLandroidx/compose/ui/graphics/ColorKt;->Color(I)J HSPLandroidx/compose/ui/graphics/ColorKt;->Color(IIII)J HSPLandroidx/compose/ui/graphics/ColorKt;->Color(J)J -HPLandroidx/compose/ui/graphics/ColorKt;->compositeOver--OWjLjI(JJ)J +HSPLandroidx/compose/ui/graphics/ColorKt;->compositeOver--OWjLjI(JJ)J HPLandroidx/compose/ui/graphics/ColorKt;->lerp-jxsXWHM(JJF)J HPLandroidx/compose/ui/graphics/ColorKt;->toArgb-8_81llA(J)I Landroidx/compose/ui/graphics/ColorSpaceVerificationHelper; HSPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->()V HSPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->()V -HPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->androidColorSpace(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/ColorSpace; +HSPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->androidColorSpace(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/ColorSpace; Landroidx/compose/ui/graphics/CompositingStrategy; HSPLandroidx/compose/ui/graphics/CompositingStrategy;->()V HPLandroidx/compose/ui/graphics/CompositingStrategy;->access$getAuto$cp()I -HPLandroidx/compose/ui/graphics/CompositingStrategy;->access$getModulateAlpha$cp()I -HPLandroidx/compose/ui/graphics/CompositingStrategy;->access$getOffscreen$cp()I HSPLandroidx/compose/ui/graphics/CompositingStrategy;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/CompositingStrategy;->equals-impl0(II)Z Landroidx/compose/ui/graphics/CompositingStrategy$Companion; HSPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->()V HSPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->getAuto--NrFUSI()I -HPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->getModulateAlpha--NrFUSI()I -HPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->getOffscreen--NrFUSI()I Landroidx/compose/ui/graphics/FilterQuality; HSPLandroidx/compose/ui/graphics/FilterQuality;->()V HPLandroidx/compose/ui/graphics/FilterQuality;->access$getLow$cp()I @@ -6470,8 +7184,8 @@ HPLandroidx/compose/ui/graphics/Float16;->toFloat-impl(S)F Landroidx/compose/ui/graphics/Float16$Companion; HSPLandroidx/compose/ui/graphics/Float16$Companion;->()V HSPLandroidx/compose/ui/graphics/Float16$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/Float16$Companion;->access$floatToHalf(Landroidx/compose/ui/graphics/Float16$Companion;F)S -HPLandroidx/compose/ui/graphics/Float16$Companion;->floatToHalf(F)S +HSPLandroidx/compose/ui/graphics/Float16$Companion;->access$floatToHalf(Landroidx/compose/ui/graphics/Float16$Companion;F)S +HSPLandroidx/compose/ui/graphics/Float16$Companion;->floatToHalf(F)S Landroidx/compose/ui/graphics/GraphicsLayerElement; HPLandroidx/compose/ui/graphics/GraphicsLayerElement;->(FFFFFFFFFFJLandroidx/compose/ui/graphics/Shape;ZLandroidx/compose/ui/graphics/RenderEffect;JJI)V HPLandroidx/compose/ui/graphics/GraphicsLayerElement;->(FFFFFFFFFFJLandroidx/compose/ui/graphics/Shape;ZLandroidx/compose/ui/graphics/RenderEffect;JJILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6490,12 +7204,14 @@ HPLandroidx/compose/ui/graphics/GraphicsLayerScopeKt;->getDefaultShadowColor()J Landroidx/compose/ui/graphics/ImageBitmap; Landroidx/compose/ui/graphics/ImageBitmapConfig; HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->()V +HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->access$getAlpha8$cp()I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->access$getArgb8888$cp()I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->equals-impl0(II)Z Landroidx/compose/ui/graphics/ImageBitmapConfig$Companion; HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->()V HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->getAlpha8-_sVssgQ()I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->getArgb8888-_sVssgQ()I Landroidx/compose/ui/graphics/ImageBitmapKt; HSPLandroidx/compose/ui/graphics/ImageBitmapKt;->ImageBitmap-x__-hDU$default(IIIZLandroidx/compose/ui/graphics/colorspace/ColorSpace;ILjava/lang/Object;)Landroidx/compose/ui/graphics/ImageBitmap; @@ -6521,18 +7237,20 @@ Landroidx/compose/ui/graphics/Outline; HPLandroidx/compose/ui/graphics/Outline;->()V HPLandroidx/compose/ui/graphics/Outline;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/graphics/Outline$Rectangle; -PLandroidx/compose/ui/graphics/Outline$Rectangle;->(Landroidx/compose/ui/geometry/Rect;)V -PLandroidx/compose/ui/graphics/Outline$Rectangle;->getRect()Landroidx/compose/ui/geometry/Rect; +HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->(Landroidx/compose/ui/geometry/Rect;)V +HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->getRect()Landroidx/compose/ui/geometry/Rect; Landroidx/compose/ui/graphics/Outline$Rounded; HPLandroidx/compose/ui/graphics/Outline$Rounded;->(Landroidx/compose/ui/geometry/RoundRect;)V -HPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; +HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRectPath$ui_graphics_release()Landroidx/compose/ui/graphics/Path; Landroidx/compose/ui/graphics/OutlineKt; HPLandroidx/compose/ui/graphics/OutlineKt;->access$hasSameCornerRadius(Landroidx/compose/ui/geometry/RoundRect;)Z HPLandroidx/compose/ui/graphics/OutlineKt;->drawOutline-wDX37Ww$default(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/Outline;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;IILjava/lang/Object;)V HPLandroidx/compose/ui/graphics/OutlineKt;->drawOutline-wDX37Ww(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/Outline;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/OutlineKt;->hasSameCornerRadius(Landroidx/compose/ui/geometry/RoundRect;)Z +HSPLandroidx/compose/ui/graphics/OutlineKt;->size(Landroidx/compose/ui/geometry/Rect;)J HPLandroidx/compose/ui/graphics/OutlineKt;->size(Landroidx/compose/ui/geometry/RoundRect;)J +HSPLandroidx/compose/ui/graphics/OutlineKt;->topLeft(Landroidx/compose/ui/geometry/Rect;)J HPLandroidx/compose/ui/graphics/OutlineKt;->topLeft(Landroidx/compose/ui/geometry/RoundRect;)J Landroidx/compose/ui/graphics/Paint; Landroidx/compose/ui/graphics/PaintingStyle; @@ -6553,13 +7271,10 @@ HSPLandroidx/compose/ui/graphics/Path$Companion;->()V HSPLandroidx/compose/ui/graphics/Path$Companion;->()V Landroidx/compose/ui/graphics/PathFillType; HSPLandroidx/compose/ui/graphics/PathFillType;->()V -HSPLandroidx/compose/ui/graphics/PathFillType;->(I)V HSPLandroidx/compose/ui/graphics/PathFillType;->access$getEvenOdd$cp()I HSPLandroidx/compose/ui/graphics/PathFillType;->access$getNonZero$cp()I -HSPLandroidx/compose/ui/graphics/PathFillType;->box-impl(I)Landroidx/compose/ui/graphics/PathFillType; HSPLandroidx/compose/ui/graphics/PathFillType;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/PathFillType;->equals-impl0(II)Z -HSPLandroidx/compose/ui/graphics/PathFillType;->unbox-impl()I Landroidx/compose/ui/graphics/PathFillType$Companion; HSPLandroidx/compose/ui/graphics/PathFillType$Companion;->()V HSPLandroidx/compose/ui/graphics/PathFillType$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6572,14 +7287,13 @@ HPLandroidx/compose/ui/graphics/RectangleShapeKt;->getRectangleShape()Landroidx/ Landroidx/compose/ui/graphics/RectangleShapeKt$RectangleShape$1; HSPLandroidx/compose/ui/graphics/RectangleShapeKt$RectangleShape$1;->()V Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; +HSPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->()V HSPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->()V HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getAlpha()F -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getAmbientShadowColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getCameraDistance()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getClip()Z -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getCompositingStrategy--NrFUSI()I PLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getDensity()F -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRenderEffect()Landroidx/compose/ui/graphics/RenderEffect; +HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getMutatedFields$ui_release()I HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRotationX()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRotationY()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRotationZ()F @@ -6588,7 +7302,6 @@ HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getScaleY()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getShadowElevation()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getShape()Landroidx/compose/ui/graphics/Shape; PLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getSize-NH-jbRc()J -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getSpotShadowColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getTransformOrigin-SzJe1aQ()J HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getTranslationX()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getTranslationY()F @@ -6649,6 +7362,7 @@ HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->getTranslationY()F HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->(Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V +HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V @@ -6658,15 +7372,13 @@ Landroidx/compose/ui/graphics/SolidColor; HSPLandroidx/compose/ui/graphics/SolidColor;->(J)V HSPLandroidx/compose/ui/graphics/SolidColor;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/SolidColor;->applyTo-Pq9zytI(JLandroidx/compose/ui/graphics/Paint;F)V +HSPLandroidx/compose/ui/graphics/SolidColor;->getValue-0d7_KjU()J Landroidx/compose/ui/graphics/StrokeCap; HSPLandroidx/compose/ui/graphics/StrokeCap;->()V -HSPLandroidx/compose/ui/graphics/StrokeCap;->(I)V HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getButt$cp()I HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getSquare$cp()I -HSPLandroidx/compose/ui/graphics/StrokeCap;->box-impl(I)Landroidx/compose/ui/graphics/StrokeCap; HSPLandroidx/compose/ui/graphics/StrokeCap;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeCap;->equals-impl0(II)Z -HSPLandroidx/compose/ui/graphics/StrokeCap;->unbox-impl()I Landroidx/compose/ui/graphics/StrokeCap$Companion; HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6674,13 +7386,10 @@ HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getButt-KaPHkGw()I HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getSquare-KaPHkGw()I Landroidx/compose/ui/graphics/StrokeJoin; HSPLandroidx/compose/ui/graphics/StrokeJoin;->()V -HSPLandroidx/compose/ui/graphics/StrokeJoin;->(I)V HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getBevel$cp()I HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getMiter$cp()I -HSPLandroidx/compose/ui/graphics/StrokeJoin;->box-impl(I)Landroidx/compose/ui/graphics/StrokeJoin; HSPLandroidx/compose/ui/graphics/StrokeJoin;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeJoin;->equals-impl0(II)Z -HSPLandroidx/compose/ui/graphics/StrokeJoin;->unbox-impl()I Landroidx/compose/ui/graphics/StrokeJoin$Companion; HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6737,8 +7446,8 @@ Landroidx/compose/ui/graphics/colorspace/ColorSpace; HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->()V HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->(Ljava/lang/String;JI)V HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->(Ljava/lang/String;JILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getComponentCount()I +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getComponentCount()I HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getId$ui_graphics_release()I HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getModel-xdoWZVw()J HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getName()Ljava/lang/String; @@ -6758,9 +7467,9 @@ HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->inverse3x3([F)[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3([F[F)[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Diag([F[F)[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3([F[F)[F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_0([FFFF)F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_1([FFFF)F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_2([FFFF)F +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_0([FFFF)F +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_1([FFFF)F +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_2([FFFF)F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->rcpResponse(DDDDDD)D HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->response(DDDDDD)D Landroidx/compose/ui/graphics/colorspace/ColorSpaces; @@ -6768,7 +7477,7 @@ HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->()V HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->()V HPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getColorSpacesArray$ui_graphics_release()[Landroidx/compose/ui/graphics/colorspace/ColorSpace; HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getNtsc1953Primaries$ui_graphics_release()[F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getOklab()Landroidx/compose/ui/graphics/colorspace/ColorSpace; +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getOklab()Landroidx/compose/ui/graphics/colorspace/ColorSpace; HPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getSrgb()Landroidx/compose/ui/graphics/colorspace/Rgb; HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getSrgbPrimaries$ui_graphics_release()[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getUnspecified$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Rgb; @@ -6791,7 +7500,7 @@ HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->(Lkotlin HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->access$computeTransform-YBCOT_4(Landroidx/compose/ui/graphics/colorspace/Connector$Companion;Landroidx/compose/ui/graphics/colorspace/ColorSpace;Landroidx/compose/ui/graphics/colorspace/ColorSpace;I)[F HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->computeTransform-YBCOT_4(Landroidx/compose/ui/graphics/colorspace/ColorSpace;Landroidx/compose/ui/graphics/colorspace/ColorSpace;I)[F HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->getOklabToSrgbPerceptual$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Connector; -HPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->getSrgbToOklabPerceptual$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Connector; +HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->getSrgbToOklabPerceptual$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Connector; HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->identity$ui_graphics_release(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroidx/compose/ui/graphics/colorspace/Connector; Landroidx/compose/ui/graphics/colorspace/Connector$Companion$identity$1; HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion$identity$1;->(Landroidx/compose/ui/graphics/colorspace/ColorSpace;I)V @@ -6835,7 +7544,7 @@ HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getPerceptu HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getRelative-uksYyKA()I Landroidx/compose/ui/graphics/colorspace/Rgb; HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$FANKyyW7TMwi4gnihl1LqxbkU6k(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$G8Pyx7Z9bMrnDjgEiQ7pXGTZEzg(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$G8Pyx7Z9bMrnDjgEiQ7pXGTZEzg(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$OfmTeMXzL_nayJmS5mO6N4G4DlI(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$ahWovdYS5NpJ-IThda37cTda4qg(D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$q_AtDSzDu9yw5JwgrVWJo3kmlB0(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D @@ -6843,20 +7552,20 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->()V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Landroidx/compose/ui/graphics/colorspace/Rgb;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;DFFI)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;Landroidx/compose/ui/graphics/colorspace/TransferParameters;I)V -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;[FLandroidx/compose/ui/graphics/colorspace/DoubleFunction;Landroidx/compose/ui/graphics/colorspace/DoubleFunction;FFLandroidx/compose/ui/graphics/colorspace/TransferParameters;I)V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;[FLandroidx/compose/ui/graphics/colorspace/DoubleFunction;Landroidx/compose/ui/graphics/colorspace/DoubleFunction;FFLandroidx/compose/ui/graphics/colorspace/TransferParameters;I)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->DoubleIdentity$lambda$12(D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->_init_$lambda$6(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->_init_$lambda$8(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->eotfFunc$lambda$1(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getEotfOrig$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/DoubleFunction; HPLandroidx/compose/ui/graphics/colorspace/Rgb;->getMaxValue(I)F HPLandroidx/compose/ui/graphics/colorspace/Rgb;->getMinValue(I)F HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getOetfOrig$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/DoubleFunction; HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getTransform$ui_graphics_release()[F HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getWhitePoint()Landroidx/compose/ui/graphics/colorspace/WhitePoint; -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->isSrgb()Z -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->isSrgb()Z +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toXy$ui_graphics_release(FFF)J HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toZ$ui_graphics_release(FFF)F HPLandroidx/compose/ui/graphics/colorspace/Rgb;->xyzaToColor-JlNiLsg$ui_graphics_release(FFFFLandroidx/compose/ui/graphics/colorspace/ColorSpace;)J @@ -6901,10 +7610,10 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb$oetf$1;->(Landroidx/compos Landroidx/compose/ui/graphics/colorspace/TransferParameters; HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDD)V HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDDILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getB()D -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getC()D -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getD()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getC()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getD()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getE()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getF()D HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getGamma()D @@ -6923,7 +7632,7 @@ HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->configurePaint-swdJ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->configurePaint-swdJneE(Landroidx/compose/ui/graphics/Brush;Landroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;II)Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V -HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawPath-GBMwjPU(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V +HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawPath-GBMwjPU(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V PLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V @@ -6936,7 +7645,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainFillPaint()Lan HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainStrokePaint()Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->selectPaint(Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/graphics/Paint; Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams; -HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;J)V +HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;J)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;JILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component1()Landroidx/compose/ui/unit/Density; @@ -6944,7 +7653,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component3()Landroidx/compose/ui/graphics/Canvas; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component4-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getCanvas()Landroidx/compose/ui/graphics/Canvas; -HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; +HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getSize-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->setCanvas(Landroidx/compose/ui/graphics/Canvas;)V @@ -6958,9 +7667,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$drawContext$1;->getSiz HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$drawContext$1;->getTransform()Landroidx/compose/ui/graphics/drawscope/DrawTransform; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$drawContext$1;->setSize-uvyYCjk(J)V Landroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->()V HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->access$asDrawTransform(Landroidx/compose/ui/graphics/drawscope/DrawContext;)Landroidx/compose/ui/graphics/drawscope/DrawTransform; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->access$getDefaultDensity$p()Landroidx/compose/ui/unit/Density; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->asDrawTransform(Landroidx/compose/ui/graphics/drawscope/DrawContext;)Landroidx/compose/ui/graphics/drawscope/DrawTransform; Landroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->(Landroidx/compose/ui/graphics/drawscope/DrawContext;)V @@ -6968,10 +7675,14 @@ PLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->c HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->getSize-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->inset(FFFF)V PLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->rotate-Uv8p0NA(FJ)V +HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->scale-0AR0LA0(FFJ)V HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->transform-58bKbWc([F)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->translate(FF)V Landroidx/compose/ui/graphics/drawscope/ContentDrawScope; Landroidx/compose/ui/graphics/drawscope/DrawContext; +Landroidx/compose/ui/graphics/drawscope/DrawContextKt; +HSPLandroidx/compose/ui/graphics/drawscope/DrawContextKt;->()V +HSPLandroidx/compose/ui/graphics/drawscope/DrawContextKt;->getDefaultDensity()Landroidx/compose/ui/unit/Density; Landroidx/compose/ui/graphics/drawscope/DrawScope; HSPLandroidx/compose/ui/graphics/drawscope/DrawScope;->()V HPLandroidx/compose/ui/graphics/drawscope/DrawScope;->drawArc-yD3GUKo$default(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;IILjava/lang/Object;)V @@ -7018,43 +7729,50 @@ HPLandroidx/compose/ui/graphics/painter/BitmapPainter;->onDraw(Landroidx/compose PLandroidx/compose/ui/graphics/painter/BitmapPainter;->setFilterQuality-vDHp3xo$ui_graphics_release(I)V HPLandroidx/compose/ui/graphics/painter/BitmapPainter;->validateSize-N5eqBDc(JJ)J HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY$default(Landroidx/compose/ui/graphics/ImageBitmap;JJIILjava/lang/Object;)Landroidx/compose/ui/graphics/painter/BitmapPainter; -HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; +PLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; Landroidx/compose/ui/graphics/painter/Painter; HPLandroidx/compose/ui/graphics/painter/Painter;->()V HPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V -HSPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V +HPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V Landroidx/compose/ui/graphics/painter/Painter$drawLambda$1; HPLandroidx/compose/ui/graphics/painter/Painter$drawLambda$1;->(Landroidx/compose/ui/graphics/painter/Painter;)V Landroidx/compose/ui/graphics/vector/DrawCache; +HSPLandroidx/compose/ui/graphics/vector/DrawCache;->()V HPLandroidx/compose/ui/graphics/vector/DrawCache;->()V HSPLandroidx/compose/ui/graphics/vector/DrawCache;->clear(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HPLandroidx/compose/ui/graphics/vector/DrawCache;->drawCachedImage-CJJAR-o(JLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/graphics/vector/DrawCache;->drawInto(Landroidx/compose/ui/graphics/drawscope/DrawScope;FLandroidx/compose/ui/graphics/ColorFilter;)V +HPLandroidx/compose/ui/graphics/vector/DrawCache;->drawCachedImage-FqjB98A(IJLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/graphics/vector/DrawCache;->drawInto(Landroidx/compose/ui/graphics/drawscope/DrawScope;FLandroidx/compose/ui/graphics/ColorFilter;)V Landroidx/compose/ui/graphics/vector/GroupComponent; +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->()V HPLandroidx/compose/ui/graphics/vector/GroupComponent;->()V HPLandroidx/compose/ui/graphics/vector/GroupComponent;->draw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function0; +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getNumChildren()I +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getTintColor-0d7_KjU()J HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getWillClipPath()Z -HPLandroidx/compose/ui/graphics/vector/GroupComponent;->insertAt(ILandroidx/compose/ui/graphics/vector/VNode;)V -HPLandroidx/compose/ui/graphics/vector/GroupComponent;->remove(II)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setName(Ljava/lang/String;)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setPivotX(F)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setPivotY(F)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setScaleX(F)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setScaleY(F)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->insertAt(ILandroidx/compose/ui/graphics/vector/VNode;)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->isTintable()Z +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->markTintForBrush(Landroidx/compose/ui/graphics/Brush;)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->markTintForColor-8_81llA(J)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->markTintForVNode(Landroidx/compose/ui/graphics/vector/VNode;)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->updateClipPath()V HPLandroidx/compose/ui/graphics/vector/GroupComponent;->updateMatrix()V +Landroidx/compose/ui/graphics/vector/GroupComponent$wrappedListener$1; +HSPLandroidx/compose/ui/graphics/vector/GroupComponent$wrappedListener$1;->(Landroidx/compose/ui/graphics/vector/GroupComponent;)V Landroidx/compose/ui/graphics/vector/ImageVector; HSPLandroidx/compose/ui/graphics/vector/ImageVector;->()V -HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZ)V -HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZI)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->access$getImageVectorCount$cp()I +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->access$setImageVectorCount$cp(I)V HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getAutoMirror()Z HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getDefaultHeight-D9Ej5fM()F HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getDefaultWidth-D9Ej5fM()F +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getGenId$ui_release()I HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getName()Ljava/lang/String; HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getRoot()Landroidx/compose/ui/graphics/vector/VectorGroup; HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getTintBlendMode-0nO6VwU()I @@ -7088,6 +7806,7 @@ HSPLandroidx/compose/ui/graphics/vector/ImageVector$Builder$GroupParams;->getTra Landroidx/compose/ui/graphics/vector/ImageVector$Companion; HSPLandroidx/compose/ui/graphics/vector/ImageVector$Companion;->()V HSPLandroidx/compose/ui/graphics/vector/ImageVector$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector$Companion;->generateImageVectorId$ui_release()I Landroidx/compose/ui/graphics/vector/ImageVectorKt; HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->access$peek(Ljava/util/ArrayList;)Ljava/lang/Object; HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->access$push(Ljava/util/ArrayList;Ljava/lang/Object;)Z @@ -7095,7 +7814,6 @@ HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->peek(Ljava/util/ArrayLis HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->push(Ljava/util/ArrayList;Ljava/lang/Object;)Z Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->()V -HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->addNode(Landroidx/compose/ui/graphics/vector/PathNode;)Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->close()Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->curveTo(FFFFFF)Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->getNodes()Ljava/util/List; @@ -7106,8 +7824,11 @@ HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->reflectiveCurveTo(FFFF)Lan HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->reflectiveCurveToRelative(FFFF)Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->verticalLineToRelative(F)Landroidx/compose/ui/graphics/vector/PathBuilder; Landroidx/compose/ui/graphics/vector/PathComponent; +HSPLandroidx/compose/ui/graphics/vector/PathComponent;->()V HPLandroidx/compose/ui/graphics/vector/PathComponent;->()V HPLandroidx/compose/ui/graphics/vector/PathComponent;->draw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HSPLandroidx/compose/ui/graphics/vector/PathComponent;->getFill()Landroidx/compose/ui/graphics/Brush; +HSPLandroidx/compose/ui/graphics/vector/PathComponent;->getStroke()Landroidx/compose/ui/graphics/Brush; HSPLandroidx/compose/ui/graphics/vector/PathComponent;->setFill(Landroidx/compose/ui/graphics/Brush;)V HSPLandroidx/compose/ui/graphics/vector/PathComponent;->setFillAlpha(F)V HSPLandroidx/compose/ui/graphics/vector/PathComponent;->setName(Ljava/lang/String;)V @@ -7181,186 +7902,71 @@ Landroidx/compose/ui/graphics/vector/VNode; HSPLandroidx/compose/ui/graphics/vector/VNode;->()V HSPLandroidx/compose/ui/graphics/vector/VNode;->()V HSPLandroidx/compose/ui/graphics/vector/VNode;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/vector/VNode;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function0; -HPLandroidx/compose/ui/graphics/vector/VNode;->invalidate()V -HSPLandroidx/compose/ui/graphics/vector/VNode;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function0;)V -Landroidx/compose/ui/graphics/vector/VectorApplier; -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->(Landroidx/compose/ui/graphics/vector/VNode;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->asGroup(Landroidx/compose/ui/graphics/vector/VNode;)Landroidx/compose/ui/graphics/vector/GroupComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertBottomUp(ILandroidx/compose/ui/graphics/vector/VNode;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertBottomUp(ILjava/lang/Object;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertTopDown(ILandroidx/compose/ui/graphics/vector/VNode;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertTopDown(ILjava/lang/Object;)V -PLandroidx/compose/ui/graphics/vector/VectorApplier;->onClear()V +HSPLandroidx/compose/ui/graphics/vector/VNode;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/ui/graphics/vector/VNode;->invalidate()V +HSPLandroidx/compose/ui/graphics/vector/VNode;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/ui/graphics/vector/VectorComponent; -HPLandroidx/compose/ui/graphics/vector/VectorComponent;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->access$doInvalidate(Landroidx/compose/ui/graphics/vector/VectorComponent;)V -HPLandroidx/compose/ui/graphics/vector/VectorComponent;->doInvalidate()V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->()V +HPLandroidx/compose/ui/graphics/vector/VectorComponent;->(Landroidx/compose/ui/graphics/vector/GroupComponent;)V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->access$getRootScaleX$p(Landroidx/compose/ui/graphics/vector/VectorComponent;)F +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->access$getRootScaleY$p(Landroidx/compose/ui/graphics/vector/VectorComponent;)F HPLandroidx/compose/ui/graphics/vector/VectorComponent;->draw(Landroidx/compose/ui/graphics/drawscope/DrawScope;FLandroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getIntrinsicColorFilter$ui_release()Landroidx/compose/ui/graphics/ColorFilter; HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getRoot()Landroidx/compose/ui/graphics/vector/GroupComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getViewportHeight()F -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getViewportWidth()F +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getViewportSize-NH-jbRc$ui_release()J HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setIntrinsicColorFilter$ui_release(Landroidx/compose/ui/graphics/ColorFilter;)V HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setInvalidateCallback$ui_release(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setName(Ljava/lang/String;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setViewportHeight(F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setViewportWidth(F)V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setViewportSize-uvyYCjk$ui_release(J)V +Landroidx/compose/ui/graphics/vector/VectorComponent$1; +HSPLandroidx/compose/ui/graphics/vector/VectorComponent$1;->(Landroidx/compose/ui/graphics/vector/VectorComponent;)V Landroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1; HSPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->(Landroidx/compose/ui/graphics/vector/VectorComponent;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V HSPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/vector/VectorComponent$invalidateCallback$1; HSPLandroidx/compose/ui/graphics/vector/VectorComponent$invalidateCallback$1;->()V HSPLandroidx/compose/ui/graphics/vector/VectorComponent$invalidateCallback$1;->()V -Landroidx/compose/ui/graphics/vector/VectorComponent$root$1$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComponent$root$1$1;->(Landroidx/compose/ui/graphics/vector/VectorComponent;)V -HPLandroidx/compose/ui/graphics/vector/VectorComponent$root$1$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/graphics/vector/VectorComponent$root$1$1;->invoke()V -Landroidx/compose/ui/graphics/vector/VectorComposeKt; -HPLandroidx/compose/ui/graphics/vector/VectorComposeKt;->Path-9cdaXJ4(Ljava/util/List;ILjava/lang/String;Landroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/Brush;FFIIFFFFLandroidx/compose/runtime/Composer;III)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->invoke()Landroidx/compose/ui/graphics/vector/PathComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Ljava/lang/String;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->invoke-CSYIeUk(Landroidx/compose/ui/graphics/vector/PathComponent;I)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Ljava/util/List;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->invoke-pweu1eQ(Landroidx/compose/ui/graphics/vector/PathComponent;I)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Landroidx/compose/ui/graphics/Brush;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Landroidx/compose/ui/graphics/Brush;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->invoke-kLtJ_vA(Landroidx/compose/ui/graphics/vector/PathComponent;I)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path-9cdaXJ4$$inlined$ComposeNode$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path-9cdaXJ4$$inlined$ComposeNode$1;->(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path-9cdaXJ4$$inlined$ComposeNode$1;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorConfig; -HSPLandroidx/compose/ui/graphics/vector/VectorConfig;->getOrDefault(Landroidx/compose/ui/graphics/vector/VectorProperty;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/vector/VectorGroup; HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->()V HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->(Ljava/lang/String;FFFFFFFLjava/util/List;Ljava/util/List;)V -HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->access$getChildren$p(Landroidx/compose/ui/graphics/vector/VectorGroup;)Ljava/util/List; -HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->iterator()Ljava/util/Iterator; -Landroidx/compose/ui/graphics/vector/VectorGroup$iterator$1; -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->(Landroidx/compose/ui/graphics/vector/VectorGroup;)V -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->hasNext()Z -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->next()Landroidx/compose/ui/graphics/vector/VectorNode; -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->next()Ljava/lang/Object; +HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->get(I)Landroidx/compose/ui/graphics/vector/VectorNode; +HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->getSize()I Landroidx/compose/ui/graphics/vector/VectorKt; HSPLandroidx/compose/ui/graphics/vector/VectorKt;->()V HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getDefaultFillType()I HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getDefaultStrokeLineCap()I HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getDefaultStrokeLineJoin()I HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getEmptyPath()Ljava/util/List; +HSPLandroidx/compose/ui/graphics/vector/VectorKt;->tintableWithAlphaMask(Landroidx/compose/ui/graphics/ColorFilter;)Z Landroidx/compose/ui/graphics/vector/VectorNode; HSPLandroidx/compose/ui/graphics/vector/VectorNode;->()V HSPLandroidx/compose/ui/graphics/vector/VectorNode;->()V HSPLandroidx/compose/ui/graphics/vector/VectorNode;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/graphics/vector/VectorPainter; HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->()V -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->()V -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->RenderVector$ui_release(Ljava/lang/String;FFLkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->access$getVector$p(Landroidx/compose/ui/graphics/vector/VectorPainter;)Landroidx/compose/ui/graphics/vector/VectorComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->access$setDirty(Landroidx/compose/ui/graphics/vector/VectorPainter;Z)V +HPLandroidx/compose/ui/graphics/vector/VectorPainter;->(Landroidx/compose/ui/graphics/vector/GroupComponent;)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->applyColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)Z -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->composeVector(Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function4;)Landroidx/compose/runtime/Composition; -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->getAutoMirror$ui_release()Z +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->getAutoMirror$ui_release()Z HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->getIntrinsicSize-NH-jbRc()J +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->getInvalidateCount()I HPLandroidx/compose/ui/graphics/vector/VectorPainter;->getSize-NH-jbRc$ui_release()J -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->isDirty()Z -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setAutoMirror$ui_release(Z)V -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->setDirty(Z)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setIntrinsicColorFilter$ui_release(Landroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setName$ui_release(Ljava/lang/String;)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setSize-uvyYCjk$ui_release(J)V -Landroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2;->(Landroidx/compose/runtime/Composition;)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/Composition;)V -PLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2$invoke$$inlined$onDispose$1;->dispose()V -Landroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1;->(Lkotlin/jvm/functions/Function4;Landroidx/compose/ui/graphics/vector/VectorPainter;)V -HPLandroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setViewportSize-uvyYCjk$ui_release(J)V Landroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1; HSPLandroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1;->(Landroidx/compose/ui/graphics/vector/VectorPainter;)V -HPLandroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1;->invoke()V Landroidx/compose/ui/graphics/vector/VectorPainterKt; -HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->RenderVectorGroup(Landroidx/compose/ui/graphics/vector/VectorGroup;Ljava/util/Map;Landroidx/compose/runtime/Composer;II)V +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->configureVectorPainter-T4PVSW8(Landroidx/compose/ui/graphics/vector/VectorPainter;JJLjava/lang/String;Landroidx/compose/ui/graphics/ColorFilter;Z)Landroidx/compose/ui/graphics/vector/VectorPainter; +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->createColorFilter-xETnrds(JI)Landroidx/compose/ui/graphics/ColorFilter; +HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->createGroupComponent(Landroidx/compose/ui/graphics/vector/GroupComponent;Landroidx/compose/ui/graphics/vector/VectorGroup;)Landroidx/compose/ui/graphics/vector/GroupComponent; +HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->createVectorPainterFromImageVector(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/graphics/vector/ImageVector;Landroidx/compose/ui/graphics/vector/GroupComponent;)Landroidx/compose/ui/graphics/vector/VectorPainter; +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->obtainSizePx-VpY3zN4(Landroidx/compose/ui/unit/Density;FF)J +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->obtainViewportSize-Pq9zytI(JFF)J HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->rememberVectorPainter(Landroidx/compose/ui/graphics/vector/ImageVector;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/graphics/vector/VectorPainter; -HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->rememberVectorPainter-vIP8VLU(FFFFLjava/lang/String;JIZLkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)Landroidx/compose/ui/graphics/vector/VectorPainter; -Landroidx/compose/ui/graphics/vector/VectorPainterKt$RenderVectorGroup$config$1; -HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt$RenderVectorGroup$config$1;->()V -Landroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3; -HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3;->(Landroidx/compose/ui/graphics/vector/ImageVector;)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3;->invoke(FFLandroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/vector/VectorPath; HSPLandroidx/compose/ui/graphics/vector/VectorPath;->()V HSPLandroidx/compose/ui/graphics/vector/VectorPath;->(Ljava/lang/String;Ljava/util/List;ILandroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/Brush;FFIIFFFF)V @@ -7379,39 +7985,9 @@ HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getStrokeLineWidth()F HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getTrimPathEnd()F HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getTrimPathOffset()F HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getTrimPathStart()F -Landroidx/compose/ui/graphics/vector/VectorProperty; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/ui/graphics/vector/VectorProperty$Fill; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Fill;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Fill;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$FillAlpha; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$FillAlpha;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$FillAlpha;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$PathData; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$PathData;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$PathData;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$Stroke; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Stroke;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Stroke;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$StrokeAlpha; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeAlpha;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeAlpha;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$StrokeLineWidth; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeLineWidth;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeLineWidth;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$TrimPathEnd; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathEnd;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathEnd;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$TrimPathOffset; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathOffset;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathOffset;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$TrimPathStart; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathStart;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathStart;->()V Landroidx/compose/ui/hapticfeedback/HapticFeedback; Landroidx/compose/ui/hapticfeedback/PlatformHapticFeedback; +HSPLandroidx/compose/ui/hapticfeedback/PlatformHapticFeedback;->()V HSPLandroidx/compose/ui/hapticfeedback/PlatformHapticFeedback;->(Landroid/view/View;)V Landroidx/compose/ui/input/InputMode; HSPLandroidx/compose/ui/input/InputMode;->()V @@ -7431,6 +8007,7 @@ HSPLandroidx/compose/ui/input/InputMode$Companion;->getKeyboard-aOaMEAU()I HSPLandroidx/compose/ui/input/InputMode$Companion;->getTouch-aOaMEAU()I Landroidx/compose/ui/input/InputModeManager; Landroidx/compose/ui/input/InputModeManagerImpl; +HSPLandroidx/compose/ui/input/InputModeManagerImpl;->()V HSPLandroidx/compose/ui/input/InputModeManagerImpl;->(ILkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/input/InputModeManagerImpl;->(ILkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/input/InputModeManagerImpl;->getInputMode-aOaMEAU()I @@ -7449,48 +8026,54 @@ Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection; Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->()V HPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->getModifierLocalNode$ui_release()Landroidx/compose/ui/modifier/ModifierLocalModifierNode; +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->getModifierLocalNode$ui_release()Landroidx/compose/ui/modifier/ModifierLocalModifierNode; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->setCalculateNestedScrollScope$ui_release(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->setModifierLocalNode$ui_release(Landroidx/compose/ui/modifier/ModifierLocalModifierNode;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->setScope$ui_release(Lkotlinx/coroutines/CoroutineScope;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher$calculateNestedScrollScope$1; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher$calculateNestedScrollScope$1;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollElement; -HPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->create()Landroidx/compose/ui/input/nestedscroll/NestedScrollNode; -PLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->equals(Ljava/lang/Object;)Z -PLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/Modifier$Node;)V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/input/nestedscroll/NestedScrollNode;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/Modifier$Node;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/input/nestedscroll/NestedScrollNode;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt;->nestedScroll$default(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt;->nestedScroll(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt;->nestedScroll(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/input/nestedscroll/NestedScrollNode; +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->()V HPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->getProvidedValues()Landroidx/compose/ui/modifier/ModifierLocalMap; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->onAttach()V PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->onDetach()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->resetDispatcherFields()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateDispatcher(Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->resetDispatcherFields()V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateDispatcher(Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V HPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateDispatcherFields()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateNode$ui_release(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateNode$ui_release(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollNode$updateDispatcherFields$1; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode$updateDispatcherFields$1;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollNode;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt;->()V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt;->getModifierLocalNestedScroll()Landroidx/compose/ui/modifier/ProvidableModifierLocal; +PLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt;->nestedScrollModifierNode(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)Landroidx/compose/ui/node/DelegatableNode; Landroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt$ModifierLocalNestedScroll$1; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt$ModifierLocalNestedScroll$1;->()V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt$ModifierLocalNestedScroll$1;->()V Landroidx/compose/ui/input/pointer/AndroidPointerIconType; +HSPLandroidx/compose/ui/input/pointer/AndroidPointerIconType;->()V HSPLandroidx/compose/ui/input/pointer/AndroidPointerIconType;->(I)V Landroidx/compose/ui/input/pointer/AwaitPointerEventScope; Landroidx/compose/ui/input/pointer/HitPathTracker; +HSPLandroidx/compose/ui/input/pointer/HitPathTracker;->()V HSPLandroidx/compose/ui/input/pointer/HitPathTracker;->(Landroidx/compose/ui/layout/LayoutCoordinates;)V Landroidx/compose/ui/input/pointer/MotionEventAdapter; +HSPLandroidx/compose/ui/input/pointer/MotionEventAdapter;->()V HSPLandroidx/compose/ui/input/pointer/MotionEventAdapter;->()V Landroidx/compose/ui/input/pointer/Node; Landroidx/compose/ui/input/pointer/NodeParent; +HSPLandroidx/compose/ui/input/pointer/NodeParent;->()V HSPLandroidx/compose/ui/input/pointer/NodeParent;->()V Landroidx/compose/ui/input/pointer/PointerButtons; HSPLandroidx/compose/ui/input/pointer/PointerButtons;->constructor-impl(I)I @@ -7500,6 +8083,7 @@ HSPLandroidx/compose/ui/input/pointer/PointerEvent;->(Ljava/util/List;)V HSPLandroidx/compose/ui/input/pointer/PointerEvent;->(Ljava/util/List;Landroidx/compose/ui/input/pointer/InternalPointerEvent;)V HSPLandroidx/compose/ui/input/pointer/PointerEvent;->calculatePointerEventType-7fucELk()I HSPLandroidx/compose/ui/input/pointer/PointerEvent;->getMotionEvent$ui_release()Landroid/view/MotionEvent; +Landroidx/compose/ui/input/pointer/PointerEventTimeoutCancellationException; Landroidx/compose/ui/input/pointer/PointerEventType; HSPLandroidx/compose/ui/input/pointer/PointerEventType;->()V HSPLandroidx/compose/ui/input/pointer/PointerEventType;->access$getMove$cp()I @@ -7526,6 +8110,7 @@ HSPLandroidx/compose/ui/input/pointer/PointerIcon_androidKt;->getPointerIconText Landroidx/compose/ui/input/pointer/PointerInputChangeEventProducer; HSPLandroidx/compose/ui/input/pointer/PointerInputChangeEventProducer;->()V Landroidx/compose/ui/input/pointer/PointerInputEventProcessor; +HSPLandroidx/compose/ui/input/pointer/PointerInputEventProcessor;->()V HSPLandroidx/compose/ui/input/pointer/PointerInputEventProcessor;->(Landroidx/compose/ui/node/LayoutNode;)V Landroidx/compose/ui/input/pointer/PointerInputModifier; Landroidx/compose/ui/input/pointer/PointerInputScope; @@ -7535,6 +8120,7 @@ HSPLandroidx/compose/ui/input/pointer/PointerKeyboardModifiers;->box-impl(I)Land HSPLandroidx/compose/ui/input/pointer/PointerKeyboardModifiers;->constructor-impl(I)I Landroidx/compose/ui/input/pointer/PositionCalculator; Landroidx/compose/ui/input/pointer/SuspendPointerInputElement; +HSPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->()V HPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->(Ljava/lang/Object;Ljava/lang/Object;[Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->(Ljava/lang/Object;Ljava/lang/Object;[Ljava/lang/Object;Lkotlin/jvm/functions/Function2;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -7547,8 +8133,9 @@ HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputFilterKt;->access$get HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputFilterKt;->pointerInput(Landroidx/compose/ui/Modifier;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNode; Landroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl; +HSPLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->()V HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->(Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->onDetach()V +PLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->onDetach()V PLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->resetPointerInputHandler()V Landroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl$PointerEventHandlerCoroutine; Landroidx/compose/ui/input/pointer/util/DataPointAtTime; @@ -7584,7 +8171,7 @@ HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->()V HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/layout/AlignmentLineKt; HSPLandroidx/compose/ui/layout/AlignmentLineKt;->()V -HPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; +HSPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; HPLandroidx/compose/ui/layout/AlignmentLineKt;->getLastBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; Landroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1; HSPLandroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1;->()V @@ -7651,109 +8238,109 @@ HSPLandroidx/compose/ui/layout/LayoutElement;->create()Landroidx/compose/ui/layo Landroidx/compose/ui/layout/LayoutIdElement; HPLandroidx/compose/ui/layout/LayoutIdElement;->(Ljava/lang/Object;)V HSPLandroidx/compose/ui/layout/LayoutIdElement;->create()Landroidx/compose/ui/Modifier$Node; -HSPLandroidx/compose/ui/layout/LayoutIdElement;->create()Landroidx/compose/ui/layout/LayoutIdModifier; +HPLandroidx/compose/ui/layout/LayoutIdElement;->create()Landroidx/compose/ui/layout/LayoutIdModifier; HPLandroidx/compose/ui/layout/LayoutIdElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/layout/LayoutIdKt; HPLandroidx/compose/ui/layout/LayoutIdKt;->getLayoutId(Landroidx/compose/ui/layout/Measurable;)Ljava/lang/Object; HPLandroidx/compose/ui/layout/LayoutIdKt;->layoutId(Landroidx/compose/ui/Modifier;Ljava/lang/Object;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/layout/LayoutIdModifier; -HPLandroidx/compose/ui/layout/LayoutIdModifier;->(Ljava/lang/Object;)V -HSPLandroidx/compose/ui/layout/LayoutIdModifier;->getLayoutId()Ljava/lang/Object; -HPLandroidx/compose/ui/layout/LayoutIdModifier;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/layout/LayoutIdModifier;->()V +HSPLandroidx/compose/ui/layout/LayoutIdModifier;->(Ljava/lang/Object;)V +HPLandroidx/compose/ui/layout/LayoutIdModifier;->getLayoutId()Ljava/lang/Object; +HSPLandroidx/compose/ui/layout/LayoutIdModifier;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/layout/LayoutIdParentData; Landroidx/compose/ui/layout/LayoutInfo; Landroidx/compose/ui/layout/LayoutKt; -HPLandroidx/compose/ui/layout/LayoutKt;->materializerOf(Landroidx/compose/ui/Modifier;)Lkotlin/jvm/functions/Function3; HPLandroidx/compose/ui/layout/LayoutKt;->modifierMaterializerOf(Landroidx/compose/ui/Modifier;)Lkotlin/jvm/functions/Function3; Landroidx/compose/ui/layout/LayoutKt$materializerOf$1; HPLandroidx/compose/ui/layout/LayoutKt$materializerOf$1;->(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/layout/LayoutKt$materializerOf$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/ui/layout/LayoutKt$materializerOf$1;->invoke-Deg8D_g(Landroidx/compose/runtime/Composer;Landroidx/compose/runtime/Composer;I)V -Landroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1; -HPLandroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1;->(Landroidx/compose/ui/Modifier;)V -HPLandroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1;->invoke-Deg8D_g(Landroidx/compose/runtime/Composer;Landroidx/compose/runtime/Composer;I)V Landroidx/compose/ui/layout/LayoutModifier; Landroidx/compose/ui/layout/LayoutModifierImpl; +HSPLandroidx/compose/ui/layout/LayoutModifierImpl;->()V HSPLandroidx/compose/ui/layout/LayoutModifierImpl;->(Lkotlin/jvm/functions/Function3;)V -HPLandroidx/compose/ui/layout/LayoutModifierImpl;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/ui/layout/LayoutModifierImpl;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/layout/LayoutModifierKt; HSPLandroidx/compose/ui/layout/LayoutModifierKt;->layout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->()V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getCurrentIndex$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)I -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getIntermediateMeasureScope$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getRoot$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)Landroidx/compose/ui/node/LayoutNode; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getScope$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$setCurrentIndex$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;I)V -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->createMeasurePolicy(Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/layout/MeasurePolicy; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->createMeasurePolicy(Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/layout/MeasurePolicy; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->createNodeAt(I)Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->disposeCurrentNodes()V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->disposeOrReuseStartingFromIndex(I)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->forceRecomposeChildren()V PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->getSlotIdAtIndex(I)Ljava/lang/Object; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->makeSureStateIsConsistent()V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->move$default(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;IIIILjava/lang/Object;)V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->move(III)V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->onRelease()V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->resetLayoutState(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->setCompositionContext(Landroidx/compose/runtime/CompositionContext;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->setIntermediateMeasurePolicy$ui_release(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->setSlotReusePolicy(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcompose(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcompose(Landroidx/compose/ui/node/LayoutNode;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcompose(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/util/List; -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcomposeInto(Landroidx/compose/runtime/Composition;Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/Composition; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcomposeInto(Landroidx/compose/runtime/ReusableComposition;Landroidx/compose/ui/node/LayoutNode;ZLandroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/ReusableComposition; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->takeNodeFromReusables(Ljava/lang/Object;)Landroidx/compose/ui/node/LayoutNode; -Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl; -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->setLookaheadConstraints-BRTryo0(J)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->setLookaheadMeasurePolicy(Lkotlin/jvm/functions/Function2;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->setLookaheadSize-ozmzZPI(J)V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState; -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composition;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composition;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/ReusableComposition;)V +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/ReusableComposition;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getActive()Z -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getComposition()Landroidx/compose/runtime/Composition; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getComposition()Landroidx/compose/runtime/ReusableComposition; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getContent()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getForceRecompose()Z +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getForceReuse()Z PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getSlotId()Ljava/lang/Object; PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setActive(Z)V -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setComposition(Landroidx/compose/runtime/Composition;)V +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setComposition(Landroidx/compose/runtime/ReusableComposition;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setContent(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setForceRecompose(Z)V +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setForceReuse(Z)V +Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$PostLookaheadMeasureScopeImpl; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$PostLookaheadMeasureScopeImpl;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->getDensity()F HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->isLookingAhead()Z +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->layout(IILjava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/layout/MeasureResult; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->setDensity(F)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->setFontScale(F)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->subcompose(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/util/List; +Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->(IILjava/util/Map;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->getAlignmentLines()Ljava/util/Map; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->getHeight()I +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->getWidth()I +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->placeChildren()V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;Lkotlin/jvm/functions/Function2;Ljava/lang/String;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1; -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->(Landroidx/compose/ui/layout/MeasureResult;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;I)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->getAlignmentLines()Ljava/util/Map; -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->getHeight()I -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->getWidth()I -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->placeChildren()V -Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$intermediateMeasurePolicy$1; -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$intermediateMeasurePolicy$1;->()V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$intermediateMeasurePolicy$1;->()V +Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->(Landroidx/compose/ui/layout/MeasureResult;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;ILandroidx/compose/ui/layout/MeasureResult;)V +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->getAlignmentLines()Ljava/util/Map; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->getHeight()I +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->getWidth()I +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->placeChildren()V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/layout/LookaheadCapablePlacementScope; +HPLandroidx/compose/ui/layout/LookaheadCapablePlacementScope;->(Landroidx/compose/ui/node/LookaheadCapablePlaceable;)V +HPLandroidx/compose/ui/layout/LookaheadCapablePlacementScope;->getParentLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; Landroidx/compose/ui/layout/Measurable; Landroidx/compose/ui/layout/MeasurePolicy; Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/layout/MeasureScope; HPLandroidx/compose/ui/layout/MeasureScope;->layout$default(Landroidx/compose/ui/layout/MeasureScope;IILjava/util/Map;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Landroidx/compose/ui/layout/MeasureResult; -HPLandroidx/compose/ui/layout/MeasureScope;->layout(IILjava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/ui/layout/MeasureScope$layout$1; -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->(IILjava/util/Map;Landroidx/compose/ui/layout/MeasureScope;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->getAlignmentLines()Ljava/util/Map; -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->getHeight()I -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->getWidth()I -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->placeChildren()V Landroidx/compose/ui/layout/Measured; Landroidx/compose/ui/layout/NoOpSubcomposeSlotReusePolicy; HSPLandroidx/compose/ui/layout/NoOpSubcomposeSlotReusePolicy;->()V @@ -7764,9 +8351,12 @@ Landroidx/compose/ui/layout/OnRemeasuredModifier; Landroidx/compose/ui/layout/OnRemeasuredModifierKt; HPLandroidx/compose/ui/layout/OnRemeasuredModifierKt;->onSizeChanged(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/layout/OnSizeChangedModifier; -HPLandroidx/compose/ui/layout/OnSizeChangedModifier;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/layout/OnSizeChangedModifier;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/layout/OnSizeChangedModifier;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/layout/OnSizeChangedModifier;->onRemeasured-ozmzZPI(J)V +HPLandroidx/compose/ui/layout/OnSizeChangedModifier;->onRemeasured-ozmzZPI(J)V +Landroidx/compose/ui/layout/OuterPlacementScope; +HSPLandroidx/compose/ui/layout/OuterPlacementScope;->(Landroidx/compose/ui/node/Owner;)V +HSPLandroidx/compose/ui/layout/OuterPlacementScope;->getParentLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; Landroidx/compose/ui/layout/ParentDataModifier; PLandroidx/compose/ui/layout/PinnableContainerKt;->()V PLandroidx/compose/ui/layout/PinnableContainerKt;->getLocalPinnableContainer()Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -7779,11 +8369,11 @@ HSPLandroidx/compose/ui/layout/Placeable;->()V HPLandroidx/compose/ui/layout/Placeable;->()V HPLandroidx/compose/ui/layout/Placeable;->access$getApparentToRealOffset-nOcc-ac(Landroidx/compose/ui/layout/Placeable;)J HPLandroidx/compose/ui/layout/Placeable;->access$placeAt-f8xVGno(Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/ui/layout/Placeable;->getApparentToRealOffset-nOcc-ac()J +HPLandroidx/compose/ui/layout/Placeable;->getApparentToRealOffset-nOcc-ac()J HPLandroidx/compose/ui/layout/Placeable;->getHeight()I PLandroidx/compose/ui/layout/Placeable;->getMeasuredHeight()I HPLandroidx/compose/ui/layout/Placeable;->getMeasuredSize-YbymL2g()J -HSPLandroidx/compose/ui/layout/Placeable;->getMeasuredWidth()I +PLandroidx/compose/ui/layout/Placeable;->getMeasuredWidth()I HPLandroidx/compose/ui/layout/Placeable;->getMeasurementConstraints-msEJaDk()J HPLandroidx/compose/ui/layout/Placeable;->getWidth()I HPLandroidx/compose/ui/layout/Placeable;->onMeasuredSizeChanged()V @@ -7791,16 +8381,8 @@ HPLandroidx/compose/ui/layout/Placeable;->setMeasuredSize-ozmzZPI(J)V HPLandroidx/compose/ui/layout/Placeable;->setMeasurementConstraints-BRTryo0(J)V Landroidx/compose/ui/layout/Placeable$PlacementScope; HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->()V -HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->()V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getLayoutDelegate$cp()Landroidx/compose/ui/node/LayoutNodeLayoutDelegate; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getParentLayoutDirection$cp()Landroidx/compose/ui/unit/LayoutDirection; +HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->()V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getParentLayoutDirection(Landroidx/compose/ui/layout/Placeable$PlacementScope;)Landroidx/compose/ui/unit/LayoutDirection; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getParentWidth$cp()I -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$get_coordinates$cp()Landroidx/compose/ui/layout/LayoutCoordinates; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$setLayoutDelegate$cp(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$setParentLayoutDirection$cp(Landroidx/compose/ui/unit/LayoutDirection;)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$setParentWidth$cp(I)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$set_coordinates$cp(Landroidx/compose/ui/layout/LayoutCoordinates;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->place$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;IIFILjava/lang/Object;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->place(Landroidx/compose/ui/layout/Placeable;IIF)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->place-70tqf50$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;JFILjava/lang/Object;)V @@ -7809,22 +8391,15 @@ HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelative$default(L HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelative(Landroidx/compose/ui/layout/Placeable;IIF)V HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer(Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer-aW-9-wM$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V +HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer-aW-9-wM$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer-aW-9-wM(Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeWithLayer$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeWithLayer(Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeWithLayer-aW-9-wM(Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;)V -Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion; -HSPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->()V -HSPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->access$configureForPlacingForAlignment(Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion;Landroidx/compose/ui/node/LookaheadCapablePlaceable;)Z -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->access$getParentLayoutDirection(Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion;)Landroidx/compose/ui/unit/LayoutDirection; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->access$getParentWidth(Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion;)I -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->configureForPlacingForAlignment(Landroidx/compose/ui/node/LookaheadCapablePlaceable;)Z -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->getParentLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->getParentWidth()I Landroidx/compose/ui/layout/PlaceableKt; HSPLandroidx/compose/ui/layout/PlaceableKt;->()V +HPLandroidx/compose/ui/layout/PlaceableKt;->PlacementScope(Landroidx/compose/ui/node/LookaheadCapablePlaceable;)Landroidx/compose/ui/layout/Placeable$PlacementScope; +HSPLandroidx/compose/ui/layout/PlaceableKt;->PlacementScope(Landroidx/compose/ui/node/Owner;)Landroidx/compose/ui/layout/Placeable$PlacementScope; HPLandroidx/compose/ui/layout/PlaceableKt;->access$getDefaultConstraints$p()J HSPLandroidx/compose/ui/layout/PlaceableKt;->access$getDefaultLayerBlock$p()Lkotlin/jvm/functions/Function1; Landroidx/compose/ui/layout/PlaceableKt$DefaultLayerBlock$1; @@ -7854,29 +8429,19 @@ Landroidx/compose/ui/layout/ScaleFactorKt; HPLandroidx/compose/ui/layout/ScaleFactorKt;->ScaleFactor(FF)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-UQTWf7w(JJ)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J -Landroidx/compose/ui/layout/SubcomposeIntermediateMeasureScope; Landroidx/compose/ui/layout/SubcomposeLayoutKt; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->()V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ComposeNode$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ComposeNode$1;->(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ComposeNode$1;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10;->invoke()V -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1;->(Landroidx/compose/runtime/State;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/State;)V -PLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1$invoke$$inlined$onDispose$1;->dispose()V -PLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$12;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;II)V -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$6; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$6;->()V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$6;->()V +Landroidx/compose/ui/layout/SubcomposeLayoutKt$ReusedSlotId$1; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$ReusedSlotId$1;->()V +Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ReusableComposeNode$1; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ReusableComposeNode$1;->(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ReusableComposeNode$1;->invoke()Ljava/lang/Object; +Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4;->invoke()Ljava/lang/Object; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4;->invoke()V Landroidx/compose/ui/layout/SubcomposeLayoutState; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->()V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->()V @@ -7884,10 +8449,8 @@ HPLandroidx/compose/ui/layout/SubcomposeLayoutState;->(Landroidx/compose/u HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->access$getSlotReusePolicy$p(Landroidx/compose/ui/layout/SubcomposeLayoutState;)Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->access$getState(Landroidx/compose/ui/layout/SubcomposeLayoutState;)Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->access$set_state$p(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V -PLandroidx/compose/ui/layout/SubcomposeLayoutState;->disposeCurrentNodes$ui_release()V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->forceRecomposeChildren$ui_release()V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetCompositionContext$ui_release()Lkotlin/jvm/functions/Function2; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetIntermediateMeasurePolicy$ui_release()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetMeasurePolicy$ui_release()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetRoot$ui_release()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getState()Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; @@ -7895,13 +8458,9 @@ Landroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;)V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Lkotlin/jvm/functions/Function2;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V -HPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Lkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/layout/SubcomposeLayoutState$setRoot$1; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setRoot$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V @@ -7919,6 +8478,7 @@ PLandroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;->contains(Lja PLandroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;->iterator()Ljava/util/Iterator; Landroidx/compose/ui/layout/VerticalAlignmentLine; Landroidx/compose/ui/modifier/BackwardsCompatLocalMap; +HSPLandroidx/compose/ui/modifier/BackwardsCompatLocalMap;->()V HSPLandroidx/compose/ui/modifier/BackwardsCompatLocalMap;->(Landroidx/compose/ui/modifier/ModifierLocalProvider;)V Landroidx/compose/ui/modifier/EmptyMap; HSPLandroidx/compose/ui/modifier/EmptyMap;->()V @@ -7933,6 +8493,7 @@ Landroidx/compose/ui/modifier/ModifierLocalConsumer; Landroidx/compose/ui/modifier/ModifierLocalKt; HSPLandroidx/compose/ui/modifier/ModifierLocalKt;->modifierLocalOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/modifier/ProvidableModifierLocal; Landroidx/compose/ui/modifier/ModifierLocalManager; +HSPLandroidx/compose/ui/modifier/ModifierLocalManager;->()V HSPLandroidx/compose/ui/modifier/ModifierLocalManager;->(Landroidx/compose/ui/node/Owner;)V PLandroidx/compose/ui/modifier/ModifierLocalManager;->invalidate()V PLandroidx/compose/ui/modifier/ModifierLocalManager;->removedProvider(Landroidx/compose/ui/node/BackwardsCompatNode;Landroidx/compose/ui/modifier/ModifierLocal;)V @@ -7947,6 +8508,7 @@ HSPLandroidx/compose/ui/modifier/ModifierLocalMap;->(Lkotlin/jvm/internal/ Landroidx/compose/ui/modifier/ModifierLocalModifierNode; HSPLandroidx/compose/ui/modifier/ModifierLocalModifierNode;->getProvidedValues()Landroidx/compose/ui/modifier/ModifierLocalMap; Landroidx/compose/ui/modifier/ModifierLocalModifierNodeKt; +HSPLandroidx/compose/ui/modifier/ModifierLocalModifierNodeKt;->modifierLocalMapOf()Landroidx/compose/ui/modifier/ModifierLocalMap; HPLandroidx/compose/ui/modifier/ModifierLocalModifierNodeKt;->modifierLocalMapOf(Lkotlin/Pair;)Landroidx/compose/ui/modifier/ModifierLocalMap; Landroidx/compose/ui/modifier/ModifierLocalProvider; Landroidx/compose/ui/modifier/ModifierLocalReadScope; @@ -7954,11 +8516,13 @@ Landroidx/compose/ui/modifier/ProvidableModifierLocal; HSPLandroidx/compose/ui/modifier/ProvidableModifierLocal;->()V HSPLandroidx/compose/ui/modifier/ProvidableModifierLocal;->(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/ui/modifier/SingleLocalMap; +HSPLandroidx/compose/ui/modifier/SingleLocalMap;->()V HSPLandroidx/compose/ui/modifier/SingleLocalMap;->(Landroidx/compose/ui/modifier/ModifierLocal;)V HSPLandroidx/compose/ui/modifier/SingleLocalMap;->contains$ui_release(Landroidx/compose/ui/modifier/ModifierLocal;)Z HSPLandroidx/compose/ui/modifier/SingleLocalMap;->set$ui_release(Landroidx/compose/ui/modifier/ModifierLocal;Ljava/lang/Object;)V HSPLandroidx/compose/ui/modifier/SingleLocalMap;->setValue(Ljava/lang/Object;)V Landroidx/compose/ui/node/AlignmentLines; +HSPLandroidx/compose/ui/node/AlignmentLines;->()V HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;)V HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/node/AlignmentLines;->access$addAlignmentLine(Landroidx/compose/ui/node/AlignmentLines;Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V @@ -7985,31 +8549,33 @@ HPLandroidx/compose/ui/node/AlignmentLines$recalculate$1;->invoke(Landroidx/comp HSPLandroidx/compose/ui/node/AlignmentLines$recalculate$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/AlignmentLinesOwner; Landroidx/compose/ui/node/BackwardsCompatNode; +HSPLandroidx/compose/ui/node/BackwardsCompatNode;->()V HPLandroidx/compose/ui/node/BackwardsCompatNode;->(Landroidx/compose/ui/Modifier$Element;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->getCurrent(Landroidx/compose/ui/modifier/ModifierLocal;)Ljava/lang/Object; HSPLandroidx/compose/ui/node/BackwardsCompatNode;->getElement()Landroidx/compose/ui/Modifier$Element; +HSPLandroidx/compose/ui/node/BackwardsCompatNode;->getProvidedValues()Landroidx/compose/ui/modifier/ModifierLocalMap; HPLandroidx/compose/ui/node/BackwardsCompatNode;->initializeModifier(Z)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; HSPLandroidx/compose/ui/node/BackwardsCompatNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/node/BackwardsCompatNode;->onAttach()V +HSPLandroidx/compose/ui/node/BackwardsCompatNode;->onAttach()V PLandroidx/compose/ui/node/BackwardsCompatNode;->onDetach()V PLandroidx/compose/ui/node/BackwardsCompatNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->onMeasureResultChanged()V HSPLandroidx/compose/ui/node/BackwardsCompatNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V -HSPLandroidx/compose/ui/node/BackwardsCompatNode;->onRemeasured-ozmzZPI(J)V +HPLandroidx/compose/ui/node/BackwardsCompatNode;->onRemeasured-ozmzZPI(J)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->setElement(Landroidx/compose/ui/Modifier$Element;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->unInitializeModifier()V HPLandroidx/compose/ui/node/BackwardsCompatNode;->updateModifierLocalConsumer()V HSPLandroidx/compose/ui/node/BackwardsCompatNode;->updateModifierLocalProvider(Landroidx/compose/ui/modifier/ModifierLocalProvider;)V -Landroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1; -HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1;->(Landroidx/compose/ui/node/BackwardsCompatNode;)V -HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1;->invoke()V +Landroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2; +HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2;->(Landroidx/compose/ui/node/BackwardsCompatNode;)V +HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2;->invoke()Ljava/lang/Object; +HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2;->invoke()V Landroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1; HSPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->(Landroidx/compose/ui/node/BackwardsCompatNode;)V HSPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->invoke()V +HPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->invoke()V Landroidx/compose/ui/node/BackwardsCompatNodeKt; HSPLandroidx/compose/ui/node/BackwardsCompatNodeKt;->()V PLandroidx/compose/ui/node/BackwardsCompatNodeKt;->access$getDetachedModifierLocalReadScope$p()Landroidx/compose/ui/node/BackwardsCompatNodeKt$DetachedModifierLocalReadScope$1; @@ -8028,8 +8594,8 @@ HSPLandroidx/compose/ui/node/BackwardsCompatNodeKt$updateModifierLocalConsumer$1 Landroidx/compose/ui/node/CanFocusChecker; HSPLandroidx/compose/ui/node/CanFocusChecker;->()V HSPLandroidx/compose/ui/node/CanFocusChecker;->()V -HPLandroidx/compose/ui/node/CanFocusChecker;->isCanFocusSet()Z -HPLandroidx/compose/ui/node/CanFocusChecker;->reset()V +HSPLandroidx/compose/ui/node/CanFocusChecker;->isCanFocusSet()Z +HSPLandroidx/compose/ui/node/CanFocusChecker;->reset()V HPLandroidx/compose/ui/node/CanFocusChecker;->setCanFocus(Z)V Landroidx/compose/ui/node/ComposeUiNode; HSPLandroidx/compose/ui/node/ComposeUiNode;->()V @@ -8038,12 +8604,9 @@ HSPLandroidx/compose/ui/node/ComposeUiNode$Companion;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion;->()V HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getConstructor()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetCompositeKeyHash()Lkotlin/jvm/functions/Function2; -HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetDensity()Lkotlin/jvm/functions/Function2; -HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetLayoutDirection()Lkotlin/jvm/functions/Function2; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetMeasurePolicy()Lkotlin/jvm/functions/Function2; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetModifier()Lkotlin/jvm/functions/Function2; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetResolvedCompositionLocals()Lkotlin/jvm/functions/Function2; -HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetViewConfiguration()Lkotlin/jvm/functions/Function2; Landroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1;->()V @@ -8052,13 +8615,9 @@ HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1;->invo Landroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->()V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->invoke(Landroidx/compose/ui/node/ComposeUiNode;Landroidx/compose/ui/unit/Density;)V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->()V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->invoke(Landroidx/compose/ui/node/ComposeUiNode;Landroidx/compose/ui/unit/LayoutDirection;)V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/ComposeUiNode$Companion$SetMeasurePolicy$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetMeasurePolicy$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetMeasurePolicy$1;->()V @@ -8077,8 +8636,6 @@ HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetResolvedCompositionLocals Landroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->()V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->invoke(Landroidx/compose/ui/node/ComposeUiNode;Landroidx/compose/ui/platform/ViewConfiguration;)V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/ComposeUiNode$Companion$VirtualConstructor$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$VirtualConstructor$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$VirtualConstructor$1;->()V @@ -8087,7 +8644,9 @@ Landroidx/compose/ui/node/CompositionLocalConsumerModifierNodeKt; HPLandroidx/compose/ui/node/CompositionLocalConsumerModifierNodeKt;->currentValueOf(Landroidx/compose/ui/node/CompositionLocalConsumerModifierNode;Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; Landroidx/compose/ui/node/DelegatableNode; Landroidx/compose/ui/node/DelegatableNodeKt; +PLandroidx/compose/ui/node/DelegatableNodeKt;->access$addLayoutNodeChildren(Landroidx/compose/runtime/collection/MutableVector;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/DelegatableNodeKt;->access$pop(Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/ui/node/DelegatableNodeKt;->addLayoutNodeChildren(Landroidx/compose/runtime/collection/MutableVector;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/DelegatableNodeKt;->asLayoutModifierNode(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/node/LayoutModifierNode; HPLandroidx/compose/ui/node/DelegatableNodeKt;->has-64DMado(Landroidx/compose/ui/node/DelegatableNode;I)Z HPLandroidx/compose/ui/node/DelegatableNodeKt;->isDelegationRoot(Landroidx/compose/ui/node/DelegatableNode;)Z @@ -8105,11 +8664,12 @@ HPLandroidx/compose/ui/node/DelegatingNode;->markAsAttached$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->markAsDetached$ui_release()V PLandroidx/compose/ui/node/DelegatingNode;->reset$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->runAttachLifecycle$ui_release()V -HPLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V +PLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->updateCoordinator$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/DelegatingNode;->updateNodeKindSet(IZ)V HPLandroidx/compose/ui/node/DelegatingNode;->validateDelegateKindSet(ILandroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/DepthSortedSet; +HSPLandroidx/compose/ui/node/DepthSortedSet;->()V HSPLandroidx/compose/ui/node/DepthSortedSet;->(Z)V HPLandroidx/compose/ui/node/DepthSortedSet;->add(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/DepthSortedSet;->contains(Landroidx/compose/ui/node/LayoutNode;)Z @@ -8124,14 +8684,16 @@ Landroidx/compose/ui/node/DepthSortedSet$mapOfOriginalDepth$2; HSPLandroidx/compose/ui/node/DepthSortedSet$mapOfOriginalDepth$2;->()V HSPLandroidx/compose/ui/node/DepthSortedSet$mapOfOriginalDepth$2;->()V Landroidx/compose/ui/node/DepthSortedSetsForDifferentPasses; +HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->()V HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->(Z)V HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->access$getLookaheadSet$p(Landroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;)Landroidx/compose/ui/node/DepthSortedSet; HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->access$getSet$p(Landroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;)Landroidx/compose/ui/node/DepthSortedSet; HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->add(Landroidx/compose/ui/node/LayoutNode;Z)V +HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->contains(Landroidx/compose/ui/node/LayoutNode;Z)Z HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->isEmpty()Z +HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->isEmpty(Z)Z HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->isNotEmpty()Z HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->remove(Landroidx/compose/ui/node/LayoutNode;)Z -PLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->remove(Landroidx/compose/ui/node/LayoutNode;Z)Z Landroidx/compose/ui/node/DrawModifierNode; HSPLandroidx/compose/ui/node/DrawModifierNode;->onMeasureResultChanged()V Landroidx/compose/ui/node/DrawModifierNodeKt; @@ -8139,6 +8701,7 @@ HPLandroidx/compose/ui/node/DrawModifierNodeKt;->invalidateDraw(Landroidx/compos PLandroidx/compose/ui/node/ForceUpdateElement;->(Landroidx/compose/ui/node/ModifierNodeElement;)V Landroidx/compose/ui/node/GlobalPositionAwareModifierNode; Landroidx/compose/ui/node/HitTestResult; +HSPLandroidx/compose/ui/node/HitTestResult;->()V HSPLandroidx/compose/ui/node/HitTestResult;->()V Landroidx/compose/ui/node/InnerNodeCoordinator; HSPLandroidx/compose/ui/node/InnerNodeCoordinator;->()V @@ -8174,10 +8737,11 @@ HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->(Landroidx/com HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->calculateAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLayoutModifierNode()Landroidx/compose/ui/node/LayoutModifierNode; HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLookaheadDelegate()Landroidx/compose/ui/node/LookaheadDelegate; -HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getWrappedNonNull()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->performDraw(Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V Landroidx/compose/ui/node/LayoutModifierNodeCoordinator$Companion; HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator$Companion;->()V HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -8188,11 +8752,11 @@ Landroidx/compose/ui/node/LayoutModifierNodeKt; HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateLayer(Landroidx/compose/ui/node/LayoutModifierNode;)V HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateMeasurement(Landroidx/compose/ui/node/LayoutModifierNode;)V Landroidx/compose/ui/node/LayoutNode; -HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$DzqjNqe9pzqBZZ9IiiTtp-hu0n4(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->()V HPLandroidx/compose/ui/node/LayoutNode;->(ZI)V HPLandroidx/compose/ui/node/LayoutNode;->(ZIILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$38(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$39(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->access$getConstructor$cp()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/LayoutNode;->access$setIgnoreRemeasureRequests$p(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V @@ -8209,7 +8773,7 @@ HSPLandroidx/compose/ui/node/LayoutNode;->getCoordinates()Landroidx/compose/ui/l HPLandroidx/compose/ui/node/LayoutNode;->getDensity()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/ui/node/LayoutNode;->getDepth$ui_release()I HPLandroidx/compose/ui/node/LayoutNode;->getFoldedChildren$ui_release()Ljava/util/List; -HSPLandroidx/compose/ui/node/LayoutNode;->getHasFixedInnerContentConstraints$ui_release()Z +PLandroidx/compose/ui/node/LayoutNode;->getHasFixedInnerContentConstraints$ui_release()Z HSPLandroidx/compose/ui/node/LayoutNode;->getHeight()I HPLandroidx/compose/ui/node/LayoutNode;->getInnerCoordinator$ui_release()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNode;->getInnerLayerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; @@ -8218,7 +8782,7 @@ HPLandroidx/compose/ui/node/LayoutNode;->getLayoutDelegate$ui_release()Landroidx HPLandroidx/compose/ui/node/LayoutNode;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/node/LayoutNode;->getLayoutPending$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getLayoutState$ui_release()Landroidx/compose/ui/node/LayoutNode$LayoutState; -HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadLayoutPending$ui_release()Z +HSPLandroidx/compose/ui/node/LayoutNode;->getLookaheadLayoutPending$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadMeasurePending$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadPassDelegate$ui_release()Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$LookaheadPassDelegate; HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadRoot$ui_release()Landroidx/compose/ui/node/LayoutNode; @@ -8249,22 +8813,27 @@ HPLandroidx/compose/ui/node/LayoutNode;->invalidateParentData$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateSemantics$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateUnfoldedVirtualChildren()V HPLandroidx/compose/ui/node/LayoutNode;->isAttached()Z +HPLandroidx/compose/ui/node/LayoutNode;->isDeactivated()Z HPLandroidx/compose/ui/node/LayoutNode;->isPlaced()Z +HPLandroidx/compose/ui/node/LayoutNode;->isPlacedByParent()Z HSPLandroidx/compose/ui/node/LayoutNode;->isValidOwnerScope()Z PLandroidx/compose/ui/node/LayoutNode;->markLayoutPending$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->markMeasurePending$ui_release()V +PLandroidx/compose/ui/node/LayoutNode;->move$ui_release(III)V HPLandroidx/compose/ui/node/LayoutNode;->onChildRemoved(Landroidx/compose/ui/node/LayoutNode;)V PLandroidx/compose/ui/node/LayoutNode;->onDeactivate()V HPLandroidx/compose/ui/node/LayoutNode;->onDensityOrLayoutDirectionChanged()V HPLandroidx/compose/ui/node/LayoutNode;->onRelease()V HPLandroidx/compose/ui/node/LayoutNode;->onZSortedChildrenInvalidated$ui_release()V -HPLandroidx/compose/ui/node/LayoutNode;->place$ui_release(II)V +HSPLandroidx/compose/ui/node/LayoutNode;->place$ui_release(II)V HPLandroidx/compose/ui/node/LayoutNode;->recreateUnfoldedChildrenIfDirty()V HPLandroidx/compose/ui/node/LayoutNode;->remeasure-_Sx5XlM$ui_release$default(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/unit/Constraints;ILjava/lang/Object;)Z HPLandroidx/compose/ui/node/LayoutNode;->remeasure-_Sx5XlM$ui_release(Landroidx/compose/ui/unit/Constraints;)Z HPLandroidx/compose/ui/node/LayoutNode;->removeAll$ui_release()V PLandroidx/compose/ui/node/LayoutNode;->removeAt$ui_release(II)V HPLandroidx/compose/ui/node/LayoutNode;->replace$ui_release()V +PLandroidx/compose/ui/node/LayoutNode;->requestRelayout$ui_release$default(Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V +PLandroidx/compose/ui/node/LayoutNode;->requestRelayout$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->requestRemeasure$ui_release$default(Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V HPLandroidx/compose/ui/node/LayoutNode;->requestRemeasure$ui_release(ZZ)V HSPLandroidx/compose/ui/node/LayoutNode;->rescheduleRemeasureOrRelayout$ui_release(Landroidx/compose/ui/node/LayoutNode;)V @@ -8278,8 +8847,8 @@ HPLandroidx/compose/ui/node/LayoutNode;->setInnerLayerCoordinatorIsDirty$ui_rele HPLandroidx/compose/ui/node/LayoutNode;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/node/LayoutNode;->setLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->setMeasurePolicy(Landroidx/compose/ui/layout/MeasurePolicy;)V -HPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V -HSPLandroidx/compose/ui/node/LayoutNode;->setNeedsOnPositionedDispatch$ui_release(Z)V +HSPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V +HPLandroidx/compose/ui/node/LayoutNode;->setNeedsOnPositionedDispatch$ui_release(Z)V HSPLandroidx/compose/ui/node/LayoutNode;->setSubcompositionsState$ui_release(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V HPLandroidx/compose/ui/node/LayoutNode;->setViewConfiguration(Landroidx/compose/ui/platform/ViewConfiguration;)V HPLandroidx/compose/ui/node/LayoutNode;->updateChildrenIfDirty$ui_release()V @@ -8305,6 +8874,7 @@ HSPLandroidx/compose/ui/node/LayoutNode$LayoutState;->()V HSPLandroidx/compose/ui/node/LayoutNode$LayoutState;->(Ljava/lang/String;I)V HSPLandroidx/compose/ui/node/LayoutNode$LayoutState;->values()[Landroidx/compose/ui/node/LayoutNode$LayoutState; Landroidx/compose/ui/node/LayoutNode$NoIntrinsicsMeasurePolicy; +HSPLandroidx/compose/ui/node/LayoutNode$NoIntrinsicsMeasurePolicy;->()V HSPLandroidx/compose/ui/node/LayoutNode$NoIntrinsicsMeasurePolicy;->(Ljava/lang/String;)V Landroidx/compose/ui/node/LayoutNode$UsageByParent; HSPLandroidx/compose/ui/node/LayoutNode$UsageByParent;->$values()[Landroidx/compose/ui/node/LayoutNode$UsageByParent; @@ -8318,26 +8888,27 @@ HPLandroidx/compose/ui/node/LayoutNode$_foldedChildren$1;->(Landroidx/comp HPLandroidx/compose/ui/node/LayoutNode$_foldedChildren$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNode$_foldedChildren$1;->invoke()V Landroidx/compose/ui/node/LayoutNodeAlignmentLines; +HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->()V HPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;)V HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->calculatePositionInParent-R5De75A(Landroidx/compose/ui/node/NodeCoordinator;J)J HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->getAlignmentLinesMap(Landroidx/compose/ui/node/NodeCoordinator;)Ljava/util/Map; HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->getPositionFor(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/layout/AlignmentLine;)I Landroidx/compose/ui/node/LayoutNodeDrawScope; +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->()V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->(Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope;)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->(Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->draw-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawContent()V +HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawDirect-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/node/DrawModifierNode;)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->getCenter-F1C5BW0()J HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->getDrawContext()Landroidx/compose/ui/graphics/drawscope/DrawContext; HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->getSize-NH-jbRc()J -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->performDraw(Landroidx/compose/ui/node/DrawModifierNode;Landroidx/compose/ui/graphics/Canvas;)V -PLandroidx/compose/ui/node/LayoutNodeDrawScope;->roundToPx-0680j_4(F)I HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->toPx-0680j_4(F)F Landroidx/compose/ui/node/LayoutNodeDrawScopeKt; HPLandroidx/compose/ui/node/LayoutNodeDrawScopeKt;->access$nextDrawNode(Landroidx/compose/ui/node/DelegatableNode;)Landroidx/compose/ui/Modifier$Node; @@ -8345,12 +8916,14 @@ HPLandroidx/compose/ui/node/LayoutNodeDrawScopeKt;->nextDrawNode(Landroidx/compo Landroidx/compose/ui/node/LayoutNodeKt; HSPLandroidx/compose/ui/node/LayoutNodeKt;->()V HPLandroidx/compose/ui/node/LayoutNodeKt;->access$getDefaultDensity$p()Landroidx/compose/ui/unit/Density; +HPLandroidx/compose/ui/node/LayoutNodeKt;->requireOwner(Landroidx/compose/ui/node/LayoutNode;)Landroidx/compose/ui/node/Owner; Landroidx/compose/ui/node/LayoutNodeLayoutDelegate; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getLayoutNode$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getLayoutPendingForAlignment$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getNextChildPlaceOrder$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)I -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$isOutMostLookaheadRoot(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;)Z +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getPerformMeasureConstraints$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)J HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$performMeasure-BRTryo0(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;J)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$setLayoutPending$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$setLayoutPendingForAlignment$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Z)V @@ -8372,7 +8945,6 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->getMeasurePending$ui_rele HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->getOuterCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->getWidth$ui_release()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->invalidateParentData()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->isOutMostLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->markChildrenDirty()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->markLayoutPending$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->markMeasurePending$ui_release()V @@ -8385,6 +8957,9 @@ Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$checkChildrenPlaceOrderForUpdates(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$clearPlaceOrder(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorLayerBlock$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorPosition$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)J +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorZIndex$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)F HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->calculateAlignmentLines()Ljava/util/Map; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->checkChildrenPlaceOrderForUpdates()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->clearPlaceOrder()V @@ -8395,7 +8970,6 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getCh HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getLastConstraints-DWUhwKw()Landroidx/compose/ui/unit/Constraints; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredWidth()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getPlaceOrder$ui_release()I @@ -8403,13 +8977,17 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getZI HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateIntrinsicsParent(Z)V HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateParentData()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlaced()Z +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlacedByParent()Z +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->layoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V PLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markSubtreeAsNotPlaced()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->notifyChildrenUsingCoordinatesWhilePlacing()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onBeforeLayoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodeDetached()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodePlaced$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->replace()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->setChildDelegatesDirty$ui_release(Z)V @@ -8419,78 +8997,93 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->track HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->updateParentData()Z Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$WhenMappings; HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$WhenMappings;->()V -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;Landroidx/compose/ui/node/LayoutNode;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1;->invoke()V -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->()V -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->()V -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1;->(Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;JF)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1;->invoke()V -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->()V -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;J)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegateKt; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegateKt;->isOutMostLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)Z Landroidx/compose/ui/node/LookaheadCapablePlaceable; +HSPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->()V HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->()V HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->get(Landroidx/compose/ui/layout/AlignmentLine;)I +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->getPlacementScope()Landroidx/compose/ui/layout/Placeable$PlacementScope; HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->invalidateAlignmentLinesFromPositionChange(Landroidx/compose/ui/node/NodeCoordinator;)V +HSPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->isLookingAhead()Z HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->isPlacingForAlignment$ui_release()Z HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->isShallowPlacing$ui_release()Z +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->layout(IILjava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/layout/MeasureResult; HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->setPlacingForAlignment$ui_release(Z)V HSPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->setShallowPlacing$ui_release(Z)V +Landroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1; +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->(IILjava/util/Map;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/node/LookaheadCapablePlaceable;)V +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->getAlignmentLines()Ljava/util/Map; +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->getHeight()I +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->getWidth()I +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->placeChildren()V Landroidx/compose/ui/node/MeasureAndLayoutDelegate; -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->()V +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->access$getRoot$p(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;)Landroidx/compose/ui/node/LayoutNode; -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->access$remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->callOnLayoutCompletedListeners()V PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->dispatchOnPositionedCallbacks$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;ZILjava/lang/Object;)V HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->dispatchOnPositionedCallbacks(Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->doRemeasure-sdFAvZA(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/unit/Constraints;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtree(Landroidx/compose/ui/node/LayoutNode;Z)V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtreeInternal(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getCanAffectParent(Landroidx/compose/ui/node/LayoutNode;)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getMeasureAffectsParent(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureAndLayout(Lkotlin/jvm/functions/Function0;)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureOnly()V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureOnly()V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measurePending(Landroidx/compose/ui/node/LayoutNode;Z)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onNodeDetached(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->recurseRemeasure(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;Z)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onlyRemeasureIfScheduled(Landroidx/compose/ui/node/LayoutNode;Z)V +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;ZZ)Z +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;Z)V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->updateRootConstraints-BRTryo0(J)V Landroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest; +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->()V +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->(Landroidx/compose/ui/node/LayoutNode;ZZ)V +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->getNode()Landroidx/compose/ui/node/LayoutNode; +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isForced()Z +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isLookahead()Z Landroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings; HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings;->()V -Landroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1; -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1;->(Z)V -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)Ljava/lang/Boolean; -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/MeasureScopeWithLayoutNode; Landroidx/compose/ui/node/ModifierNodeElement; HSPLandroidx/compose/ui/node/ModifierNodeElement;->()V HPLandroidx/compose/ui/node/ModifierNodeElement;->()V Landroidx/compose/ui/node/MutableVectorWithMutationTracking; +HSPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->()V HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->(Landroidx/compose/runtime/collection/MutableVector;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->add(ILjava/lang/Object;)V HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->asList()Ljava/util/List; @@ -8500,6 +9093,7 @@ HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->getSize()I HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->getVector()Landroidx/compose/runtime/collection/MutableVector; PLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->removeAt(I)Ljava/lang/Object; Landroidx/compose/ui/node/NodeChain; +HSPLandroidx/compose/ui/node/NodeChain;->()V HPLandroidx/compose/ui/node/NodeChain;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeChain;->access$getAggregateChildKindSet(Landroidx/compose/ui/node/NodeChain;)I HPLandroidx/compose/ui/node/NodeChain;->createAndInsertNodeAsChild(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/Modifier$Node; @@ -8520,7 +9114,7 @@ HPLandroidx/compose/ui/node/NodeChain;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->syncAggregateChildKindSet()V HPLandroidx/compose/ui/node/NodeChain;->syncCoordinators()V HPLandroidx/compose/ui/node/NodeChain;->trimChain(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V +HSPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/node/NodeChain;->updateNode(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt; HSPLandroidx/compose/ui/node/NodeChainKt;->()V @@ -8539,22 +9133,24 @@ HSPLandroidx/compose/ui/node/NodeCoordinator;->()V HPLandroidx/compose/ui/node/NodeCoordinator;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$drawContainedDrawModifiers(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$getGraphicsLayerScope$cp()Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; +HPLandroidx/compose/ui/node/NodeCoordinator;->access$getOnCommitAffectingLayer$cp()Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/ui/node/NodeCoordinator;->access$getSnapshotObserver(Landroidx/compose/ui/node/NodeCoordinator;)Landroidx/compose/ui/node/OwnerSnapshotObserver; HPLandroidx/compose/ui/node/NodeCoordinator;->access$headNode(Landroidx/compose/ui/node/NodeCoordinator;Z)Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/ui/node/NodeCoordinator;->access$setLastLayerDrawingWasSkipped$p(Landroidx/compose/ui/node/NodeCoordinator;Z)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$setMeasurementConstraints-BRTryo0(Landroidx/compose/ui/node/NodeCoordinator;J)V +HPLandroidx/compose/ui/node/NodeCoordinator;->draw(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->drawContainedDrawModifiers(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->getAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; -HSPLandroidx/compose/ui/node/NodeCoordinator;->getChild()Landroidx/compose/ui/node/LookaheadCapablePlaceable; -HPLandroidx/compose/ui/node/NodeCoordinator;->getCoordinates()Landroidx/compose/ui/layout/LayoutCoordinates; +HPLandroidx/compose/ui/node/NodeCoordinator;->getChild()Landroidx/compose/ui/node/LookaheadCapablePlaceable; HPLandroidx/compose/ui/node/NodeCoordinator;->getDensity()F HPLandroidx/compose/ui/node/NodeCoordinator;->getFontScale()F HSPLandroidx/compose/ui/node/NodeCoordinator;->getHasMeasureResult()Z HPLandroidx/compose/ui/node/NodeCoordinator;->getLastLayerDrawingWasSkipped$ui_release()Z -HSPLandroidx/compose/ui/node/NodeCoordinator;->getLastMeasurementConstraints-msEJaDk$ui_release()J +PLandroidx/compose/ui/node/NodeCoordinator;->getLastMeasurementConstraints-msEJaDk$ui_release()J HPLandroidx/compose/ui/node/NodeCoordinator;->getLayer()Landroidx/compose/ui/node/OwnedLayer; HPLandroidx/compose/ui/node/NodeCoordinator;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/node/NodeCoordinator;->getLayoutNode()Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/NodeCoordinator;->getMeasureResult$ui_release()Landroidx/compose/ui/layout/MeasureResult; -HPLandroidx/compose/ui/node/NodeCoordinator;->getParent()Landroidx/compose/ui/node/LookaheadCapablePlaceable; HPLandroidx/compose/ui/node/NodeCoordinator;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/NodeCoordinator;->getPosition-nOcc-ac()J HPLandroidx/compose/ui/node/NodeCoordinator;->getSize-YbymL2g()J @@ -8566,8 +9162,6 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->hasNode-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeCoordinator;->head-H91voCI(I)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->headNode(Z)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->invalidateLayer()V -HPLandroidx/compose/ui/node/NodeCoordinator;->invoke(Landroidx/compose/ui/graphics/Canvas;)V -HPLandroidx/compose/ui/node/NodeCoordinator;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/ui/node/NodeCoordinator;->isAttached()Z PLandroidx/compose/ui/node/NodeCoordinator;->isValidOwnerScope()Z HPLandroidx/compose/ui/node/NodeCoordinator;->onLayoutNodeAttach()V @@ -8578,14 +9172,16 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->onRelease()V HPLandroidx/compose/ui/node/NodeCoordinator;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelf-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelfApparentToRealOffset-f8xVGno(JFLkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V -HPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V +HPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V +HSPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrapped$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrappedBy$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/NodeCoordinator;->toParentPosition-MK-Hz9U(J)J HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock$default(Landroidx/compose/ui/node/NodeCoordinator;Lkotlin/jvm/functions/Function1;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock(Lkotlin/jvm/functions/Function1;Z)V HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters$default(Landroidx/compose/ui/node/NodeCoordinator;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters(Z)V Landroidx/compose/ui/node/NodeCoordinator$Companion; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -8596,20 +9192,24 @@ HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$SemanticsSource$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V -HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V +PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V Landroidx/compose/ui/node/NodeCoordinator$HitTestSource; +Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1; +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1; +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->invoke()V Landroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1; HPLandroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1;->invoke()V -Landroidx/compose/ui/node/NodeCoordinator$invoke$1; -HPLandroidx/compose/ui/node/NodeCoordinator$invoke$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V -HPLandroidx/compose/ui/node/NodeCoordinator$invoke$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/NodeCoordinator$invoke$1;->invoke()V Landroidx/compose/ui/node/NodeCoordinator$updateLayerParameters$1; HPLandroidx/compose/ui/node/NodeCoordinator$updateLayerParameters$1;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator$updateLayerParameters$1;->invoke()Ljava/lang/Object; @@ -8627,27 +9227,37 @@ HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFromIncludingDelega HPLandroidx/compose/ui/node/NodeKindKt;->getIncludeSelfInTraversal-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeKindKt;->specifiesCanFocusProperty(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)Z Landroidx/compose/ui/node/ObserverModifierNode; +PLandroidx/compose/ui/node/ObserverModifierNodeKt;->observeReads(Landroidx/compose/ui/Modifier$Node;Lkotlin/jvm/functions/Function0;)V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope;->()V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope;->(Landroidx/compose/ui/node/ObserverModifierNode;)V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope;->access$getOnObserveReadsChanged$cp()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion;->()V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion;->getOnObserveReadsChanged$ui_release()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion$OnObserveReadsChanged$1;->()V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion$OnObserveReadsChanged$1;->()V Landroidx/compose/ui/node/OnPositionedDispatcher; HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatch()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatchHierarchy(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->isNotEmpty()Z -HPLandroidx/compose/ui/node/OnPositionedDispatcher;->onNodePositioned(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->onNodePositioned(Landroidx/compose/ui/node/LayoutNode;)V Landroidx/compose/ui/node/OnPositionedDispatcher$Companion; HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator; HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->()V -HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I -HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Ljava/lang/Object;Ljava/lang/Object;)I +PLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +PLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Ljava/lang/Object;Ljava/lang/Object;)I Landroidx/compose/ui/node/OwnedLayer; Landroidx/compose/ui/node/Owner; HSPLandroidx/compose/ui/node/Owner;->()V -HSPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V HSPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/Owner;->onRequestMeasure$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZZILjava/lang/Object;)V +PLandroidx/compose/ui/node/Owner;->onRequestRelayout$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V Landroidx/compose/ui/node/Owner$Companion; HSPLandroidx/compose/ui/node/Owner$Companion;->()V HSPLandroidx/compose/ui/node/Owner$Companion;->()V @@ -8655,36 +9265,40 @@ HSPLandroidx/compose/ui/node/Owner$Companion;->getEnableExtraAssertions()Z Landroidx/compose/ui/node/Owner$OnLayoutCompletedListener; Landroidx/compose/ui/node/OwnerScope; Landroidx/compose/ui/node/OwnerSnapshotObserver; +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver;->()V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/ui/node/OwnerSnapshotObserver;->clearInvalidObservations$ui_release()V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeLayoutModifierSnapshotReads$ui_release(Landroidx/compose/ui/node/LayoutNode;ZLkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeLayoutSnapshotReads$ui_release(Landroidx/compose/ui/node/LayoutNode;ZLkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeMeasureSnapshotReads$ui_release(Landroidx/compose/ui/node/LayoutNode;ZLkotlin/jvm/functions/Function0;)V +HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeReads$ui_release(Landroidx/compose/ui/node/OwnerScope;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver;->startObserving$ui_release()V PLandroidx/compose/ui/node/OwnerSnapshotObserver;->stopObserving$ui_release()V PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->()V PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->()V -PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; +HPLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->()V +PLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V +PLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifier$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifier$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifier$1;->()V Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifierInLookahead$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifierInLookahead$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifierInLookahead$1;->()V -Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadLayout$1; -HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadLayout$1;->()V -HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadLayout$1;->()V +Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookahead$1; +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookahead$1;->()V +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookahead$1;->()V Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadMeasure$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadMeasure$1;->()V Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V -HPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1;->()V @@ -8698,17 +9312,21 @@ Landroidx/compose/ui/node/SemanticsModifierNode; Landroidx/compose/ui/node/SemanticsModifierNodeKt; HPLandroidx/compose/ui/node/SemanticsModifierNodeKt;->invalidateSemantics(Landroidx/compose/ui/node/SemanticsModifierNode;)V Landroidx/compose/ui/node/TailModifierNode; +HSPLandroidx/compose/ui/node/TailModifierNode;->()V HPLandroidx/compose/ui/node/TailModifierNode;->()V HSPLandroidx/compose/ui/node/TailModifierNode;->getAttachHasBeenRun()Z HPLandroidx/compose/ui/node/TailModifierNode;->onAttach()V -PLandroidx/compose/ui/node/TailModifierNode;->onDetach()V +HPLandroidx/compose/ui/node/TailModifierNode;->onDetach()V +Landroidx/compose/ui/node/TraversableNode; Landroidx/compose/ui/node/TreeSet; +HSPLandroidx/compose/ui/node/TreeSet;->()V HSPLandroidx/compose/ui/node/TreeSet;->(Ljava/util/Comparator;)V Landroidx/compose/ui/node/UiApplier; -HPLandroidx/compose/ui/node/UiApplier;->(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/UiApplier;->()V +HSPLandroidx/compose/ui/node/UiApplier;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/UiApplier;->insertBottomUp(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/UiApplier;->insertBottomUp(ILjava/lang/Object;)V -HPLandroidx/compose/ui/node/UiApplier;->insertTopDown(ILandroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/UiApplier;->insertTopDown(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/UiApplier;->insertTopDown(ILjava/lang/Object;)V HPLandroidx/compose/ui/node/UiApplier;->onClear()V HPLandroidx/compose/ui/node/UiApplier;->onEndChanges()V @@ -8745,6 +9363,7 @@ Landroidx/compose/ui/platform/AndroidAccessibilityManager$Companion; HSPLandroidx/compose/ui/platform/AndroidAccessibilityManager$Companion;->()V HSPLandroidx/compose/ui/platform/AndroidAccessibilityManager$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/platform/AndroidClipboardManager; +HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->()V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/ClipboardManager;)V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/Context;)V Landroidx/compose/ui/platform/AndroidComposeView; @@ -8760,7 +9379,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->access$setGetBooleanMethod HSPLandroidx/compose/ui/platform/AndroidComposeView;->access$setSystemPropertiesClass$cp(Ljava/lang/Class;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->autofillSupported()Z HSPLandroidx/compose/ui/platform/AndroidComposeView;->boundsUpdatesEventLoop(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->childSizeCanAffectParentSize(Landroidx/compose/ui/node/LayoutNode;)Z +PLandroidx/compose/ui/platform/AndroidComposeView;->childSizeCanAffectParentSize(Landroidx/compose/ui/node/LayoutNode;)Z HSPLandroidx/compose/ui/platform/AndroidComposeView;->convertMeasureSpec-I7RO_PI(I)J HPLandroidx/compose/ui/platform/AndroidComposeView;->createLayer(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/node/OwnedLayer; HPLandroidx/compose/ui/platform/AndroidComposeView;->dispatchDraw(Landroid/graphics/Canvas;)V @@ -8781,14 +9400,14 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->getHapticFeedBack()Landroi HSPLandroidx/compose/ui/platform/AndroidComposeView;->getInputModeManager()Landroidx/compose/ui/input/InputModeManager; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; PLandroidx/compose/ui/platform/AndroidComposeView;->getModifierLocalManager()Landroidx/compose/ui/modifier/ModifierLocalManager; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPlatformTextInputPluginRegistry()Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistry; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPlatformTextInputPluginRegistry()Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl; +HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPlacementScope()Landroidx/compose/ui/layout/Placeable$PlacementScope; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPointerIconService()Landroidx/compose/ui/input/pointer/PointerIconService; HPLandroidx/compose/ui/platform/AndroidComposeView;->getRoot()Landroidx/compose/ui/node/LayoutNode; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getSemanticsOwner()Landroidx/compose/ui/semantics/SemanticsOwner; HPLandroidx/compose/ui/platform/AndroidComposeView;->getSharedDrawScope()Landroidx/compose/ui/node/LayoutNodeDrawScope; HPLandroidx/compose/ui/platform/AndroidComposeView;->getShowLayoutBounds()Z HPLandroidx/compose/ui/platform/AndroidComposeView;->getSnapshotObserver()Landroidx/compose/ui/node/OwnerSnapshotObserver; +HSPLandroidx/compose/ui/platform/AndroidComposeView;->getSoftwareKeyboardController()Landroidx/compose/ui/platform/SoftwareKeyboardController; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getTextInputService()Landroidx/compose/ui/text/input/TextInputService; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getTextToolbar()Landroidx/compose/ui/platform/TextToolbar; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getView()Landroid/view/View; @@ -8801,16 +9420,17 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->invalidateLayers(Landroidx HSPLandroidx/compose/ui/platform/AndroidComposeView;->invalidateLayoutNodeMeasurement(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->measureAndLayout(Z)V HPLandroidx/compose/ui/platform/AndroidComposeView;->notifyLayerIsDirty$ui_release(Landroidx/compose/ui/node/OwnedLayer;Z)V -HPLandroidx/compose/ui/platform/AndroidComposeView;->onAttach(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->onAttach(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onAttachedToWindow()V HPLandroidx/compose/ui/platform/AndroidComposeView;->onDetach(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/platform/AndroidComposeView;->onDetachedFromWindow()V +HPLandroidx/compose/ui/platform/AndroidComposeView;->onDetachedFromWindow()V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onDraw(Landroid/graphics/Canvas;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onEndApplyChanges()V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onLayout(ZIIII)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onLayoutChange(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onMeasure(II)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onRequestMeasure(Landroidx/compose/ui/node/LayoutNode;ZZZ)V +PLandroidx/compose/ui/platform/AndroidComposeView;->onRequestRelayout(Landroidx/compose/ui/node/LayoutNode;ZZ)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onResume(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onRtlPropertiesChanged(I)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onSemanticsChange()V @@ -8819,6 +9439,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->pack-ZIaKswc(II)J HPLandroidx/compose/ui/platform/AndroidComposeView;->recycle$ui_release(Landroidx/compose/ui/node/OwnedLayer;)Z HPLandroidx/compose/ui/platform/AndroidComposeView;->registerOnEndApplyChangesListener(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->requestClearInvalidObservations()V +PLandroidx/compose/ui/platform/AndroidComposeView;->scheduleMeasureAndLayout$default(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/ui/node/LayoutNode;ILjava/lang/Object;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->scheduleMeasureAndLayout(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->setConfigurationChangeObserver(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -8827,16 +9448,18 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->setShowLayoutBounds(Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->set_viewTreeOwners(Landroidx/compose/ui/platform/AndroidComposeView$ViewTreeOwners;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->touchModeChangeListener$lambda$3(Landroidx/compose/ui/platform/AndroidComposeView;Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->updatePositionCacheAndDispatch()V -Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda1; -HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda1;->onGlobalLayout()V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->onGlobalLayout()V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda3; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda3;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda3;->onTouchModeChanged(Z)V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda4; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda4;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda4;->onTouchModeChanged(Z)V +Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda5; +HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda5;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +Landroidx/compose/ui/platform/AndroidComposeView$AndroidComposeViewTranslationCallback; +HSPLandroidx/compose/ui/platform/AndroidComposeView$AndroidComposeViewTranslationCallback;->()V Landroidx/compose/ui/platform/AndroidComposeView$Companion; HSPLandroidx/compose/ui/platform/AndroidComposeView$Companion;->()V HSPLandroidx/compose/ui/platform/AndroidComposeView$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -8852,16 +9475,14 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView$_inputModeManager$1;-> Landroidx/compose/ui/platform/AndroidComposeView$configurationChangeObserver$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$configurationChangeObserver$1;->()V HSPLandroidx/compose/ui/platform/AndroidComposeView$configurationChangeObserver$1;->()V +Landroidx/compose/ui/platform/AndroidComposeView$dragAndDropModifierOnDragListener$1; +HSPLandroidx/compose/ui/platform/AndroidComposeView$dragAndDropModifierOnDragListener$1;->(Ljava/lang/Object;)V Landroidx/compose/ui/platform/AndroidComposeView$focusOwner$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -Landroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1; -HSPLandroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1;->invoke(Landroidx/compose/ui/text/input/PlatformTextInputPlugin;Landroidx/compose/ui/text/input/PlatformTextInput;)Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -HSPLandroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidComposeView$pointerIconService$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$pointerIconService$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V Landroidx/compose/ui/platform/AndroidComposeView$resendMotionEventOnLayout$1; @@ -8884,20 +9505,27 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView$viewTreeOwners$2;->invoke()L Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->()V HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getAccessibilityManager$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/view/accessibility/AccessibilityManager; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getContentCaptureSessionCompat(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;Landroid/view/View;)Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getEnabledStateListener$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/view/accessibility/AccessibilityManager$AccessibilityStateChangeListener; PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getHandler$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/os/Handler; PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getSemanticsChangeChecker$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Ljava/lang/Runnable; -HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->boundsUpdatesEventLoop(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getAccessibilityManager$ui_release()Landroid/view/accessibility/AccessibilityManager; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getTouchExplorationStateListener$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/view/accessibility/AccessibilityManager$TouchExplorationStateChangeListener; +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->boundsUpdatesEventLoop$ui_release(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getContentCaptureForceEnabledForTesting$ui_release()Z HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getContentCaptureSessionCompat(Landroid/view/View;)Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getEnabledStateListener$ui_release()Landroid/view/accessibility/AccessibilityManager$AccessibilityStateChangeListener; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getTouchExplorationStateListener$ui_release()Landroid/view/accessibility/AccessibilityManager$TouchExplorationStateChangeListener; -HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabled$ui_release()Z -HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabledForAccessibility()Z +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->initContentCapture(Z)V +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabled()Z +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabledForAccessibility$ui_release()Z HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabledForContentCapture()Z +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->notifyContentCaptureChanges()V HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onLayoutChange$ui_release(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onSemanticsChange$ui_release()V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onStart(Landroidx/lifecycle/LifecycleOwner;)V +PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onStop(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->setContentCaptureSession$ui_release(Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat;)V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->updateContentCaptureBuffersOnAppeared(Landroidx/compose/ui/semantics/SemanticsNode;)V +PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->updateContentCaptureBuffersOnDisappeared(Landroidx/compose/ui/semantics/SemanticsNode;)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$$ExternalSyntheticLambda0; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$$ExternalSyntheticLambda0;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$$ExternalSyntheticLambda1; @@ -8911,27 +9539,48 @@ PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$1;- Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$Companion; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$Companion;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$MyNodeProvider; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$MyNodeProvider;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$ComposeAccessibilityNodeProvider; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$ComposeAccessibilityNodeProvider;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$SemanticsNodeCopy; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$SemanticsNodeCopy;->(Landroidx/compose/ui/semantics/SemanticsNode;Ljava/util/Map;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus;->$values()[Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus;->(Ljava/lang/String;I)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$boundsUpdatesEventLoop$1; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$boundsUpdatesEventLoop$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$boundsUpdatesEventLoop$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$sendScrollEventIfNeededLambda$1; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$sendScrollEventIfNeededLambda$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$onSendAccessibilityEvent$1; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$onSendAccessibilityEvent$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$scheduleScrollEventIfNeededLambda$1; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$scheduleScrollEventIfNeededLambda$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat_androidKt; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat_androidKt;->()V +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat_androidKt;->getDisableContentCapture()Z Landroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ; HSPLandroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ;->disallowForceDark(Landroid/view/View;)V +Landroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS; +HSPLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->()V +PLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->clearViewTranslationCallback(Landroid/view/View;)V +HSPLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->setViewTranslationCallback(Landroid/view/View;Landroid/view/translation/ViewTranslationCallback;)V Landroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO; HSPLandroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO;->focusable(Landroid/view/View;IZ)V Landroidx/compose/ui/platform/AndroidComposeView_androidKt; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->()V HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->access$layoutDirectionFromInt(I)Landroidx/compose/ui/unit/LayoutDirection; HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->getLocaleLayoutDirection(Landroid/content/res/Configuration;)Landroidx/compose/ui/unit/LayoutDirection; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->getPlatformTextInputServiceInterceptor()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->layoutDirectionFromInt(I)Landroidx/compose/ui/unit/LayoutDirection; +Landroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->invoke(Landroidx/compose/ui/text/input/PlatformTextInputService;)Landroidx/compose/ui/text/input/PlatformTextInputService; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->()V HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->ProvideAndroidCompositionLocals$lambda$1(Landroidx/compose/runtime/MutableState;)Landroid/content/res/Configuration; @@ -8969,7 +9618,7 @@ Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidC HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/ui/platform/DisposableSaveableStateRegistry;)V PLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$2$invoke$$inlined$onDispose$1;->dispose()V Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3; -HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/ui/platform/AndroidUriHandler;Lkotlin/jvm/functions/Function2;I)V +HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/ui/platform/AndroidUriHandler;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$4; @@ -8984,8 +9633,10 @@ PLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$obtainImageVec Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$obtainImageVectorCache$callbacks$1$1; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$obtainImageVectorCache$callbacks$1$1;->(Landroid/content/res/Configuration;Landroidx/compose/ui/res/ImageVectorCache;)V Landroidx/compose/ui/platform/AndroidFontResourceLoader; +HSPLandroidx/compose/ui/platform/AndroidFontResourceLoader;->()V HSPLandroidx/compose/ui/platform/AndroidFontResourceLoader;->(Landroid/content/Context;)V Landroidx/compose/ui/platform/AndroidTextToolbar; +HSPLandroidx/compose/ui/platform/AndroidTextToolbar;->()V HSPLandroidx/compose/ui/platform/AndroidTextToolbar;->(Landroid/view/View;)V Landroidx/compose/ui/platform/AndroidTextToolbar$textActionModeCallback$1; HSPLandroidx/compose/ui/platform/AndroidTextToolbar$textActionModeCallback$1;->(Landroidx/compose/ui/platform/AndroidTextToolbar;)V @@ -8998,7 +9649,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroid HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getMain$delegate$cp()Lkotlin/Lazy; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V PLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$setScheduledFrameDispatch$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;Z)V HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; @@ -9035,7 +9686,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->getChoreographer()Landroi HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLandroidx/compose/ui/platform/AndroidUiFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1; -HSPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1;->(Landroidx/compose/ui/platform/AndroidUiDispatcher;Landroid/view/Choreographer$FrameCallback;)V +HPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1;->(Landroidx/compose/ui/platform/AndroidUiDispatcher;Landroid/view/Choreographer$FrameCallback;)V Landroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$callback$1; HPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$callback$1;->(Lkotlinx/coroutines/CancellableContinuation;Landroidx/compose/ui/platform/AndroidUiFrameClock;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$callback$1;->doFrame(J)V @@ -9106,12 +9757,12 @@ HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalInputModeManager$1;->< Landroidx/compose/ui/platform/CompositionLocalsKt$LocalLayoutDirection$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalLayoutDirection$1;->()V HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalLayoutDirection$1;->()V -Landroidx/compose/ui/platform/CompositionLocalsKt$LocalPlatformTextInputPluginRegistry$1; -HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPlatformTextInputPluginRegistry$1;->()V -HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPlatformTextInputPluginRegistry$1;->()V Landroidx/compose/ui/platform/CompositionLocalsKt$LocalPointerIconService$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPointerIconService$1;->()V HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPointerIconService$1;->()V +Landroidx/compose/ui/platform/CompositionLocalsKt$LocalSoftwareKeyboardController$1; +HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalSoftwareKeyboardController$1;->()V +HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalSoftwareKeyboardController$1;->()V Landroidx/compose/ui/platform/CompositionLocalsKt$LocalTextInputService$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalTextInputService$1;->()V HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalTextInputService$1;->()V @@ -9129,8 +9780,12 @@ HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalWindowInfo$1;->()V Landroidx/compose/ui/platform/CompositionLocalsKt$ProvideCommonCompositionLocals$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$ProvideCommonCompositionLocals$1;->(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/platform/UriHandler;Lkotlin/jvm/functions/Function2;I)V +Landroidx/compose/ui/platform/DelegatingSoftwareKeyboardController; +HSPLandroidx/compose/ui/platform/DelegatingSoftwareKeyboardController;->()V +HSPLandroidx/compose/ui/platform/DelegatingSoftwareKeyboardController;->(Landroidx/compose/ui/text/input/TextInputService;)V Landroidx/compose/ui/platform/DeviceRenderNode; Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; +HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->()V HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->canBeSaved(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; @@ -9139,23 +9794,35 @@ HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->registerProvi Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->()V HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->DisposableSaveableStateRegistry(Landroid/view/View;Landroidx/savedstate/SavedStateRegistryOwner;)Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; -HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->DisposableSaveableStateRegistry(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistryOwner;)Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; +HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->DisposableSaveableStateRegistry(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistryOwner;)Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->access$canBeSavedToBundle(Ljava/lang/Object;)Z HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->canBeSavedToBundle(Ljava/lang/Object;)Z +Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$$ExternalSyntheticLambda0;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1;->(ZLandroidx/savedstate/SavedStateRegistry;Ljava/lang/String;)V PLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1;->invoke()Ljava/lang/Object; PLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1;->invoke()V -Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$registered$1; -HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$registered$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->()V HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->()V HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener;->(Lkotlin/jvm/functions/Function3;)V +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener;->access$getRootDragAndDropNode$p(Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener;)Landroidx/compose/ui/draganddrop/DragAndDropNode; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener;->getModifier()Landroidx/compose/ui/Modifier; +Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1;->(Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener;)V +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1;->create()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1;->create()Landroidx/compose/ui/draganddrop/DragAndDropNode; +Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener$rootDragAndDropNode$1; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$rootDragAndDropNode$1;->()V +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$rootDragAndDropNode$1;->()V Landroidx/compose/ui/platform/GlobalSnapshotManager; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager;->()V HSPLandroidx/compose/ui/platform/GlobalSnapshotManager;->()V +HPLandroidx/compose/ui/platform/GlobalSnapshotManager;->access$getSent$p()Ljava/util/concurrent/atomic/AtomicBoolean; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager;->ensureStarted()V Landroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$1; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$1;->(Lkotlinx/coroutines/channels/Channel;Lkotlin/coroutines/Continuation;)V @@ -9195,6 +9862,7 @@ Landroidx/compose/ui/platform/InspectorValueInfo; HSPLandroidx/compose/ui/platform/InspectorValueInfo;->()V HPLandroidx/compose/ui/platform/InspectorValueInfo;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/ui/platform/LayerMatrixCache; +HSPLandroidx/compose/ui/platform/LayerMatrixCache;->()V HPLandroidx/compose/ui/platform/LayerMatrixCache;->(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/platform/LayerMatrixCache;->calculateMatrix-GrdbGEg(Ljava/lang/Object;)[F HPLandroidx/compose/ui/platform/LayerMatrixCache;->invalidate()V @@ -9206,7 +9874,9 @@ HPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->getScaleFactor()F HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->setScaleFactor(F)V Landroidx/compose/ui/platform/OutlineResolver; +HSPLandroidx/compose/ui/platform/OutlineResolver;->()V HPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/platform/OutlineResolver;->getCacheIsDirty$ui_release()Z HPLandroidx/compose/ui/platform/OutlineResolver;->getOutline()Landroid/graphics/Outline; HPLandroidx/compose/ui/platform/OutlineResolver;->getOutlineClipSupported()Z HPLandroidx/compose/ui/platform/OutlineResolver;->update(Landroidx/compose/ui/graphics/Shape;FZFLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)Z @@ -9214,47 +9884,30 @@ HPLandroidx/compose/ui/platform/OutlineResolver;->update-uvyYCjk(J)V HPLandroidx/compose/ui/platform/OutlineResolver;->updateCache()V PLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRect(Landroidx/compose/ui/geometry/Rect;)V HPLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRoundRect(Landroidx/compose/ui/geometry/RoundRect;)V +Landroidx/compose/ui/platform/PlatformTextInputSessionHandler; Landroidx/compose/ui/platform/RenderNodeApi29; +HSPLandroidx/compose/ui/platform/RenderNodeApi29;->()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -PLandroidx/compose/ui/platform/RenderNodeApi29;->discardDisplayList()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->drawInto(Landroid/graphics/Canvas;)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->getAlpha()F HPLandroidx/compose/ui/platform/RenderNodeApi29;->getClipToOutline()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getElevation()F HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHasDisplayList()Z -HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHeight()I HPLandroidx/compose/ui/platform/RenderNodeApi29;->getLeft()I HSPLandroidx/compose/ui/platform/RenderNodeApi29;->getMatrix(Landroid/graphics/Matrix;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getTop()I -HPLandroidx/compose/ui/platform/RenderNodeApi29;->getWidth()I -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->record(Landroidx/compose/ui/graphics/CanvasHolder;Landroidx/compose/ui/graphics/Path;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setAmbientShadowColor(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setCameraDistance(F)V +HSPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToBounds(Z)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToOutline(Z)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setCompositingStrategy-aDBOjCE(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setElevation(F)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->setElevation(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setHasOverlappingRendering(Z)Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->setOutline(Landroid/graphics/Outline;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setPivotX(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setPivotY(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setPosition(IIII)Z -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRenderEffect(Landroidx/compose/ui/graphics/RenderEffect;)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRotationX(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRotationY(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRotationZ(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setScaleX(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setScaleY(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setSpotShadowColor(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setTranslationX(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setTranslationY(F)V -Landroidx/compose/ui/platform/RenderNodeApi29VerificationHelper; -HSPLandroidx/compose/ui/platform/RenderNodeApi29VerificationHelper;->()V -HSPLandroidx/compose/ui/platform/RenderNodeApi29VerificationHelper;->()V -HPLandroidx/compose/ui/platform/RenderNodeApi29VerificationHelper;->setRenderEffect(Landroid/graphics/RenderNode;Landroidx/compose/ui/graphics/RenderEffect;)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->setTranslationY(F)V Landroidx/compose/ui/platform/RenderNodeLayer; HSPLandroidx/compose/ui/platform/RenderNodeLayer;->()V HPLandroidx/compose/ui/platform/RenderNodeLayer;->(Landroidx/compose/ui/platform/AndroidComposeView;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V @@ -9267,6 +9920,7 @@ HPLandroidx/compose/ui/platform/RenderNodeLayer;->resize-ozmzZPI(J)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->setDirty(Z)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->triggerRepaint()V HPLandroidx/compose/ui/platform/RenderNodeLayer;->updateDisplayList()V +HSPLandroidx/compose/ui/platform/RenderNodeLayer;->updateLayerProperties(Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/platform/RenderNodeLayer$Companion; HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->()V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -9275,6 +9929,7 @@ HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion$getMatrix$1;->()V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion$getMatrix$1;->invoke(Landroidx/compose/ui/platform/DeviceRenderNode;Landroid/graphics/Matrix;)V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion$getMatrix$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/platform/SoftwareKeyboardController; Landroidx/compose/ui/platform/TestTagKt; HPLandroidx/compose/ui/platform/TestTagKt;->testTag(Landroidx/compose/ui/Modifier;Ljava/lang/String;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/platform/TestTagKt$testTag$1; @@ -9295,14 +9950,14 @@ Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindo HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool;->()V HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool;->()V HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool;->installFor(Landroidx/compose/ui/platform/AbstractComposeView;)Lkotlin/jvm/functions/Function0; +Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$$ExternalSyntheticLambda0;->(Landroidx/compose/ui/platform/AbstractComposeView;)V Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$1; HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$1;->(Landroidx/compose/ui/platform/AbstractComposeView;Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;Landroidx/customview/poolingcontainer/PoolingContainerListener;)V Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1; HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;->(Landroidx/compose/ui/platform/AbstractComposeView;)V HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;->onViewAttachedToWindow(Landroid/view/View;)V PLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;->onViewDetachedFromWindow(Landroid/view/View;)V -Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$poolingContainerListener$1; -HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$poolingContainerListener$1;->(Landroidx/compose/ui/platform/AbstractComposeView;)V Landroidx/compose/ui/platform/ViewConfiguration; Landroidx/compose/ui/platform/ViewLayer; HSPLandroidx/compose/ui/platform/ViewLayer;->()V @@ -9323,6 +9978,7 @@ HSPLandroidx/compose/ui/platform/ViewRootForTest$Companion;->()V HSPLandroidx/compose/ui/platform/ViewRootForTest$Companion;->()V HSPLandroidx/compose/ui/platform/ViewRootForTest$Companion;->getOnViewCreatedCallback()Lkotlin/jvm/functions/Function1; Landroidx/compose/ui/platform/WeakCache; +HSPLandroidx/compose/ui/platform/WeakCache;->()V HSPLandroidx/compose/ui/platform/WeakCache;->()V HPLandroidx/compose/ui/platform/WeakCache;->clearWeakReferences()V HPLandroidx/compose/ui/platform/WeakCache;->pop()Ljava/lang/Object; @@ -9338,17 +9994,18 @@ HSPLandroidx/compose/ui/platform/WindowInfoImpl$Companion;->(Lkotlin/jvm/i Landroidx/compose/ui/platform/WindowRecomposerFactory; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory;->()V Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion; +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->$r8$lambda$PmWZXv-2LDhDmANvYhil4YZYJuQ(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->LifecycleAware$lambda$0(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->getLifecycleAware()Landroidx/compose/ui/platform/WindowRecomposerFactory; -Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1; -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1;->()V -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1;->()V -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1;->createRecomposer(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; +Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$$ExternalSyntheticLambda0;->()V +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$$ExternalSyntheticLambda0;->createRecomposer(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; Landroidx/compose/ui/platform/WindowRecomposerPolicy; HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->()V -HPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->createAndInstallWindowRecomposer$ui_release(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; +HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->createAndInstallWindowRecomposer$ui_release(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; Landroidx/compose/ui/platform/WindowRecomposerPolicy$createAndInstallWindowRecomposer$1; HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy$createAndInstallWindowRecomposer$1;->(Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy$createAndInstallWindowRecomposer$1;->onViewAttachedToWindow(Landroid/view/View;)V @@ -9408,7 +10065,7 @@ HSPLandroidx/compose/ui/platform/WrappedComposition;->access$setLastContent$p(La PLandroidx/compose/ui/platform/WrappedComposition;->dispose()V HSPLandroidx/compose/ui/platform/WrappedComposition;->getOriginal()Landroidx/compose/runtime/Composition; HSPLandroidx/compose/ui/platform/WrappedComposition;->getOwner()Landroidx/compose/ui/platform/AndroidComposeView; -HPLandroidx/compose/ui/platform/WrappedComposition;->onStateChanged(Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V +HSPLandroidx/compose/ui/platform/WrappedComposition;->onStateChanged(Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V HSPLandroidx/compose/ui/platform/WrappedComposition;->setContent(Lkotlin/jvm/functions/Function2;)V Landroidx/compose/ui/platform/WrappedComposition$setContent$1; HSPLandroidx/compose/ui/platform/WrappedComposition$setContent$1;->(Landroidx/compose/ui/platform/WrappedComposition;Lkotlin/jvm/functions/Function2;)V @@ -9430,27 +10087,15 @@ Landroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods; HSPLandroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods;->()V HSPLandroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods;->()V HPLandroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods;->onDescendantInvalidated(Landroidx/compose/ui/platform/AndroidComposeView;)V -Landroidx/compose/ui/platform/WrapperVerificationHelperMethods; -HSPLandroidx/compose/ui/platform/WrapperVerificationHelperMethods;->()V -HSPLandroidx/compose/ui/platform/WrapperVerificationHelperMethods;->()V -HSPLandroidx/compose/ui/platform/WrapperVerificationHelperMethods;->attributeSourceResourceMap(Landroid/view/View;)Ljava/util/Map; Landroidx/compose/ui/platform/Wrapper_androidKt; HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->()V -HPLandroidx/compose/ui/platform/Wrapper_androidKt;->createSubcomposition(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/Composition; +HPLandroidx/compose/ui/platform/Wrapper_androidKt;->createSubcomposition(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/ReusableComposition; HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->doSetContent(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/Composition; -HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->inspectionWanted(Landroidx/compose/ui/platform/AndroidComposeView;)Z HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->setContent(Landroidx/compose/ui/platform/AbstractComposeView;Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/Composition; Landroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback; +HSPLandroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback;->()V HSPLandroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/geometry/Rect;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/geometry/Rect;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat;->(Landroid/view/View;)V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl;->()V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl20; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl20;->(Landroid/view/View;)V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl30; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl30;->(Landroid/view/View;)V Landroidx/compose/ui/platform/coreshims/ViewCompatShims; HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims;->getContentCaptureSession(Landroid/view/View;)Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat; HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims;->setImportantForContentCapture(Landroid/view/View;I)V @@ -9459,8 +10104,10 @@ HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims$Api29Impl;->getConten Landroidx/compose/ui/platform/coreshims/ViewCompatShims$Api30Impl; HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims$Api30Impl;->setImportantForContentCapture(Landroid/view/View;I)V Landroidx/compose/ui/res/ImageVectorCache; +HSPLandroidx/compose/ui/res/ImageVectorCache;->()V HSPLandroidx/compose/ui/res/ImageVectorCache;->()V Landroidx/compose/ui/semantics/AppendedSemanticsElement; +HSPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->()V HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->(ZLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->create()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->create()Landroidx/compose/ui/semantics/CoreSemanticsModifierNode; @@ -9468,6 +10115,7 @@ HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->equals(Ljava/lang/Ob HSPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->update(Landroidx/compose/ui/Modifier$Node;)V HSPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->update(Landroidx/compose/ui/semantics/CoreSemanticsModifierNode;)V Landroidx/compose/ui/semantics/ClearAndSetSemanticsElement; +HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->()V HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->create()Landroidx/compose/ui/semantics/CoreSemanticsModifierNode; @@ -9475,6 +10123,7 @@ HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->equals(Ljava/lan PLandroidx/compose/ui/semantics/CollectionInfo;->()V PLandroidx/compose/ui/semantics/CollectionInfo;->(II)V Landroidx/compose/ui/semantics/CoreSemanticsModifierNode; +HSPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->()V HPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->(ZZLkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->setMergeDescendants(Z)V HSPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->setProperties(Lkotlin/jvm/functions/Function1;)V @@ -9484,6 +10133,7 @@ HSPLandroidx/compose/ui/semantics/EmptySemanticsElement;->()V HSPLandroidx/compose/ui/semantics/EmptySemanticsElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/semantics/EmptySemanticsElement;->create()Landroidx/compose/ui/semantics/EmptySemanticsModifier; Landroidx/compose/ui/semantics/EmptySemanticsModifier; +HSPLandroidx/compose/ui/semantics/EmptySemanticsModifier;->()V HSPLandroidx/compose/ui/semantics/EmptySemanticsModifier;->()V Landroidx/compose/ui/semantics/Role; HSPLandroidx/compose/ui/semantics/Role;->()V @@ -9502,6 +10152,10 @@ PLandroidx/compose/ui/semantics/Role$Companion;->getButton-o7Vup1c()I HSPLandroidx/compose/ui/semantics/Role$Companion;->getTab-o7Vup1c()I PLandroidx/compose/ui/semantics/ScrollAxisRange;->()V PLandroidx/compose/ui/semantics/ScrollAxisRange;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Z)V +Landroidx/compose/ui/semantics/SemanticsActions; +HSPLandroidx/compose/ui/semantics/SemanticsActions;->()V +HSPLandroidx/compose/ui/semantics/SemanticsActions;->()V +HSPLandroidx/compose/ui/semantics/SemanticsActions;->getCustomActions()Landroidx/compose/ui/semantics/SemanticsPropertyKey; Landroidx/compose/ui/semantics/SemanticsConfiguration; HSPLandroidx/compose/ui/semantics/SemanticsConfiguration;->()V HPLandroidx/compose/ui/semantics/SemanticsConfiguration;->()V @@ -9517,7 +10171,7 @@ HSPLandroidx/compose/ui/semantics/SemanticsConfigurationKt$getOrNull$1;->invoke( Landroidx/compose/ui/semantics/SemanticsModifier; Landroidx/compose/ui/semantics/SemanticsModifierKt; HSPLandroidx/compose/ui/semantics/SemanticsModifierKt;->()V -HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->clearAndSetSemantics(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/semantics/SemanticsModifierKt;->clearAndSetSemantics(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->generateSemanticsId()I HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->semantics$default(Landroidx/compose/ui/Modifier;ZLkotlin/jvm/functions/Function1;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->semantics(Landroidx/compose/ui/Modifier;ZLkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; @@ -9537,12 +10191,31 @@ HSPLandroidx/compose/ui/semantics/SemanticsNodeKt;->getRole(Landroidx/compose/ui Landroidx/compose/ui/semantics/SemanticsOwner; HSPLandroidx/compose/ui/semantics/SemanticsOwner;->()V HSPLandroidx/compose/ui/semantics/SemanticsOwner;->(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/semantics/SemanticsOwner;->getUnmergedRootSemanticsNode()Landroidx/compose/ui/semantics/SemanticsNode; +HPLandroidx/compose/ui/semantics/SemanticsOwner;->getUnmergedRootSemanticsNode()Landroidx/compose/ui/semantics/SemanticsNode; Landroidx/compose/ui/semantics/SemanticsProperties; HSPLandroidx/compose/ui/semantics/SemanticsProperties;->()V HSPLandroidx/compose/ui/semantics/SemanticsProperties;->()V +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getCollectionInfo()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getCollectionItemInfo()Landroidx/compose/ui/semantics/SemanticsPropertyKey; HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getContentDescription()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getEditableText()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getFocused()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getHorizontalScrollAxisRange()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getImeAction()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getIsShowingTextSubstitution()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getIsTraversalGroup()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getLiveRegion()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getPaneTitle()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getProgressBarRangeInfo()Landroidx/compose/ui/semantics/SemanticsPropertyKey; HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getRole()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getSelected()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getStateDescription()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTestTag()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTextSelectionRange()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTextSubstitution()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getToggleableState()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTraversalIndex()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getVerticalScrollAxisRange()Landroidx/compose/ui/semantics/SemanticsPropertyKey; Landroidx/compose/ui/semantics/SemanticsProperties$ContentDescription$1; HSPLandroidx/compose/ui/semantics/SemanticsProperties$ContentDescription$1;->()V HSPLandroidx/compose/ui/semantics/SemanticsProperties$ContentDescription$1;->()V @@ -9570,25 +10243,35 @@ HSPLandroidx/compose/ui/semantics/SemanticsProperties$Text$1;->()V Landroidx/compose/ui/semantics/SemanticsProperties$TraversalIndex$1; HSPLandroidx/compose/ui/semantics/SemanticsProperties$TraversalIndex$1;->()V HSPLandroidx/compose/ui/semantics/SemanticsProperties$TraversalIndex$1;->()V +Landroidx/compose/ui/semantics/SemanticsPropertiesKt; +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt;->()V +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt;->AccessibilityKey(Ljava/lang/String;)Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt;->AccessibilityKey(Ljava/lang/String;Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/semantics/SemanticsPropertyKey; +Landroidx/compose/ui/semantics/SemanticsPropertiesKt$ActionPropertyKey$1; +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt$ActionPropertyKey$1;->()V +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt$ActionPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyKey; HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->()V HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;Lkotlin/jvm/functions/Function2;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;Z)V +HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;ZLkotlin/jvm/functions/Function2;)V Landroidx/compose/ui/semantics/SemanticsPropertyKey$1; HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyReceiver; Landroidx/compose/ui/text/AndroidParagraph; +HSPLandroidx/compose/ui/text/AndroidParagraph;->()V HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/AndroidParagraph;->constructTextLayout(IILandroid/text/TextUtils$TruncateAt;IIIII)Landroidx/compose/ui/text/android/TextLayout; HPLandroidx/compose/ui/text/AndroidParagraph;->getDidExceedMaxLines()Z -HPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F +HSPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getHeight()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLastBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLineBaseline$ui_text_release(I)F HPLandroidx/compose/ui/text/AndroidParagraph;->getLineCount()I -HSPLandroidx/compose/ui/text/AndroidParagraph;->getPlaceholderRects()Ljava/util/List; +HSPLandroidx/compose/ui/text/AndroidParagraph;->getMaxIntrinsicWidth()F HPLandroidx/compose/ui/text/AndroidParagraph;->getShaderBrushSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/platform/style/ShaderBrushSpan; HPLandroidx/compose/ui/text/AndroidParagraph;->getTextPaint$ui_text_release()Landroidx/compose/ui/text/platform/AndroidTextPaint; HPLandroidx/compose/ui/text/AndroidParagraph;->getWidth()F @@ -9598,42 +10281,25 @@ Landroidx/compose/ui/text/AndroidParagraph$wordBoundary$2; HPLandroidx/compose/ui/text/AndroidParagraph$wordBoundary$2;->(Landroidx/compose/ui/text/AndroidParagraph;)V Landroidx/compose/ui/text/AndroidParagraph_androidKt; HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-AMY3VfE(Landroidx/compose/ui/text/style/TextAlign;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-u6PBz3U(Landroidx/compose/ui/text/style/LineBreak$Strategy;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency-0_XeFpE(Landroidx/compose/ui/text/style/Hyphens;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-4a2g8L8(Landroidx/compose/ui/text/style/LineBreak$Strictness;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-gvcdTPQ(Landroidx/compose/ui/text/style/LineBreak$WordBreak;)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-aXe7zB0(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-xImikfE(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency--3fSNIE(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-hpcqdu8(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-wPN0Rpw(I)I HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutAlign-AMY3VfE(Landroidx/compose/ui/text/style/TextAlign;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutBreakStrategy-u6PBz3U(Landroidx/compose/ui/text/style/LineBreak$Strategy;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutHyphenationFrequency-0_XeFpE(Landroidx/compose/ui/text/style/Hyphens;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakStyle-4a2g8L8(Landroidx/compose/ui/text/style/LineBreak$Strictness;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakWordStyle-gvcdTPQ(Landroidx/compose/ui/text/style/LineBreak$WordBreak;)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutAlign-aXe7zB0(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutBreakStrategy-xImikfE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutHyphenationFrequency--3fSNIE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakStyle-hpcqdu8(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakWordStyle-wPN0Rpw(I)I Landroidx/compose/ui/text/AndroidTextStyle_androidKt; HPLandroidx/compose/ui/text/AndroidTextStyle_androidKt;->createPlatformTextStyle(Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformTextStyle; Landroidx/compose/ui/text/AnnotatedString; HSPLandroidx/compose/ui/text/AnnotatedString;->()V -HPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;)V -HPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;Ljava/util/List;)V -HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/AnnotatedString;->getParagraphStylesOrNull$ui_text_release()Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedString;->getSpanStyles()Ljava/util/List; -HSPLandroidx/compose/ui/text/AnnotatedString;->getSpanStylesOrNull$ui_text_release()Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedString;->getText()Ljava/lang/String; -Landroidx/compose/ui/text/AnnotatedString$Range; -HSPLandroidx/compose/ui/text/AnnotatedString$Range;->()V -HPLandroidx/compose/ui/text/AnnotatedString$Range;->(Ljava/lang/Object;II)V -HPLandroidx/compose/ui/text/AnnotatedString$Range;->(Ljava/lang/Object;IILjava/lang/String;)V -HPLandroidx/compose/ui/text/AnnotatedString$Range;->getEnd()I -HSPLandroidx/compose/ui/text/AnnotatedString$Range;->getItem()Ljava/lang/Object; -HPLandroidx/compose/ui/text/AnnotatedString$Range;->getStart()I -Landroidx/compose/ui/text/AnnotatedStringKt; -HSPLandroidx/compose/ui/text/AnnotatedStringKt;->()V -HSPLandroidx/compose/ui/text/AnnotatedStringKt;->access$substringWithoutParagraphStyles(Landroidx/compose/ui/text/AnnotatedString;II)Landroidx/compose/ui/text/AnnotatedString; -HSPLandroidx/compose/ui/text/AnnotatedStringKt;->getLocalSpanStyles(Landroidx/compose/ui/text/AnnotatedString;II)Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedStringKt;->normalizedParagraphStyles(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/ParagraphStyle;)Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedStringKt;->substringWithoutParagraphStyles(Landroidx/compose/ui/text/AnnotatedString;II)Landroidx/compose/ui/text/AnnotatedString; +HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;)V +HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;Ljava/util/List;)V +HSPLandroidx/compose/ui/text/AnnotatedString;->getText()Ljava/lang/String; Landroidx/compose/ui/text/EmojiSupportMatch; HSPLandroidx/compose/ui/text/EmojiSupportMatch;->()V HPLandroidx/compose/ui/text/EmojiSupportMatch;->(I)V @@ -9648,74 +10314,31 @@ HSPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->()V HSPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->getDefault-_3YsG6Y()I HPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->getNone-_3YsG6Y()I -Landroidx/compose/ui/text/MultiParagraph; -HSPLandroidx/compose/ui/text/MultiParagraph;->()V -HPLandroidx/compose/ui/text/MultiParagraph;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;JIZ)V -HSPLandroidx/compose/ui/text/MultiParagraph;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;JIZLkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/MultiParagraph;->getDidExceedMaxLines()Z -HPLandroidx/compose/ui/text/MultiParagraph;->getFirstBaseline()F -HPLandroidx/compose/ui/text/MultiParagraph;->getHeight()F -HPLandroidx/compose/ui/text/MultiParagraph;->getIntrinsics()Landroidx/compose/ui/text/MultiParagraphIntrinsics; -HPLandroidx/compose/ui/text/MultiParagraph;->getLastBaseline()F -HPLandroidx/compose/ui/text/MultiParagraph;->getPlaceholderRects()Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraph;->getWidth()F -HPLandroidx/compose/ui/text/MultiParagraph;->paint-LG529CI$default(Landroidx/compose/ui/text/MultiParagraph;Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IILjava/lang/Object;)V -HPLandroidx/compose/ui/text/MultiParagraph;->paint-LG529CI(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/drawscope/DrawStyle;I)V -Landroidx/compose/ui/text/MultiParagraphIntrinsics; -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->()V -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)V -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->access$resolveTextDirection(Landroidx/compose/ui/text/MultiParagraphIntrinsics;Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/ParagraphStyle; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getHasStaleResolvedFonts()Z -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getInfoList$ui_text_release()Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getMaxIntrinsicWidth()F -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getPlaceholders()Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->resolveTextDirection(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/ParagraphStyle; -Landroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;)V -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2;->invoke()Ljava/lang/Float; -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/text/MultiParagraphIntrinsics$minIntrinsicWidth$2; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics$minIntrinsicWidth$2;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;)V -Landroidx/compose/ui/text/MultiParagraphIntrinsicsKt; -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsicsKt;->access$getLocalPlaceholders(Ljava/util/List;II)Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsicsKt;->getLocalPlaceholders(Ljava/util/List;II)Ljava/util/List; Landroidx/compose/ui/text/Paragraph; -Landroidx/compose/ui/text/ParagraphInfo; -HPLandroidx/compose/ui/text/ParagraphInfo;->(Landroidx/compose/ui/text/Paragraph;IIIIFF)V -HPLandroidx/compose/ui/text/ParagraphInfo;->getParagraph()Landroidx/compose/ui/text/Paragraph; -HPLandroidx/compose/ui/text/ParagraphInfo;->toGlobalYPosition(F)F -Landroidx/compose/ui/text/ParagraphIntrinsicInfo; -HPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->(Landroidx/compose/ui/text/ParagraphIntrinsics;II)V -HSPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->getEndIndex()I -HPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->getIntrinsics()Landroidx/compose/ui/text/ParagraphIntrinsics; -HSPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->getStartIndex()I +HPLandroidx/compose/ui/text/Paragraph;->paint-LG529CI$default(Landroidx/compose/ui/text/Paragraph;Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IILjava/lang/Object;)V Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphIntrinsicsKt; -HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; +HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics$default(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;ILjava/lang/Object;)Landroidx/compose/ui/text/ParagraphIntrinsics; +HSPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphKt; -HPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; -HSPLandroidx/compose/ui/text/ParagraphKt;->ceilToInt(F)I +HSPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; Landroidx/compose/ui/text/ParagraphStyle; HSPLandroidx/compose/ui/text/ParagraphStyle;->()V -HPLandroidx/compose/ui/text/ParagraphStyle;->(Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;)V -HSPLandroidx/compose/ui/text/ParagraphStyle;->(Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/ParagraphStyle;->(Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/ParagraphStyle;->getHyphens-EaSxIns()Landroidx/compose/ui/text/style/Hyphens; -HSPLandroidx/compose/ui/text/ParagraphStyle;->getHyphensOrDefault-vmbZdU8$ui_text_release()I -HPLandroidx/compose/ui/text/ParagraphStyle;->getLineBreak-LgCVezo()Landroidx/compose/ui/text/style/LineBreak; -HSPLandroidx/compose/ui/text/ParagraphStyle;->getLineBreakOrDefault-rAG3T2k$ui_text_release()I +HPLandroidx/compose/ui/text/ParagraphStyle;->(IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)V +HPLandroidx/compose/ui/text/ParagraphStyle;->(IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/ParagraphStyle;->getHyphens-vmbZdU8()I +HPLandroidx/compose/ui/text/ParagraphStyle;->getLineBreak-rAG3T2k()I HPLandroidx/compose/ui/text/ParagraphStyle;->getLineHeight-XSAIIZE()J HPLandroidx/compose/ui/text/ParagraphStyle;->getLineHeightStyle()Landroidx/compose/ui/text/style/LineHeightStyle; HPLandroidx/compose/ui/text/ParagraphStyle;->getPlatformStyle()Landroidx/compose/ui/text/PlatformParagraphStyle; -HPLandroidx/compose/ui/text/ParagraphStyle;->getTextAlign-buA522U()Landroidx/compose/ui/text/style/TextAlign; -HSPLandroidx/compose/ui/text/ParagraphStyle;->getTextAlignOrDefault-e0LSkKk$ui_text_release()I -HPLandroidx/compose/ui/text/ParagraphStyle;->getTextDirection-mmuk1to()Landroidx/compose/ui/text/style/TextDirection; +HPLandroidx/compose/ui/text/ParagraphStyle;->getTextAlign-e0LSkKk()I +HPLandroidx/compose/ui/text/ParagraphStyle;->getTextDirection-s_7X-co()I HPLandroidx/compose/ui/text/ParagraphStyle;->getTextIndent()Landroidx/compose/ui/text/style/TextIndent; HPLandroidx/compose/ui/text/ParagraphStyle;->getTextMotion()Landroidx/compose/ui/text/style/TextMotion; HPLandroidx/compose/ui/text/ParagraphStyle;->merge(Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/ParagraphStyle; Landroidx/compose/ui/text/ParagraphStyleKt; HSPLandroidx/compose/ui/text/ParagraphStyleKt;->()V -HPLandroidx/compose/ui/text/ParagraphStyleKt;->fastMerge-HtYhynw(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/ParagraphStyle; +HPLandroidx/compose/ui/text/ParagraphStyleKt;->fastMerge-j5T8yCg(Landroidx/compose/ui/text/ParagraphStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/ParagraphStyle; HSPLandroidx/compose/ui/text/ParagraphStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformParagraphStyle; HPLandroidx/compose/ui/text/ParagraphStyleKt;->resolveParagraphStyleDefaults(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/ParagraphStyle; Landroidx/compose/ui/text/PlatformParagraphStyle; @@ -9741,10 +10364,10 @@ Landroidx/compose/ui/text/SpanStyle; HSPLandroidx/compose/ui/text/SpanStyle;->()V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/SpanStyle;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/text/SpanStyle;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/text/SpanStyle;->getAlpha()F HPLandroidx/compose/ui/text/SpanStyle;->getBackground-0d7_KjU()J HPLandroidx/compose/ui/text/SpanStyle;->getBaselineShift-5SSeXJ0()Landroidx/compose/ui/text/style/BaselineShift; @@ -9764,8 +10387,7 @@ HPLandroidx/compose/ui/text/SpanStyle;->getShadow()Landroidx/compose/ui/graphics HPLandroidx/compose/ui/text/SpanStyle;->getTextDecoration()Landroidx/compose/ui/text/style/TextDecoration; HPLandroidx/compose/ui/text/SpanStyle;->getTextForegroundStyle$ui_text_release()Landroidx/compose/ui/text/style/TextForegroundStyle; HPLandroidx/compose/ui/text/SpanStyle;->getTextGeometricTransform()Landroidx/compose/ui/text/style/TextGeometricTransform; -HPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_text_release(Landroidx/compose/ui/text/SpanStyle;)Z -HPLandroidx/compose/ui/text/SpanStyle;->hasSameNonLayoutAttributes$ui_text_release(Landroidx/compose/ui/text/SpanStyle;)Z +HSPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_text_release(Landroidx/compose/ui/text/SpanStyle;)Z HPLandroidx/compose/ui/text/SpanStyle;->merge(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt; HSPLandroidx/compose/ui/text/SpanStyleKt;->()V @@ -9775,25 +10397,6 @@ HPLandroidx/compose/ui/text/SpanStyleKt;->resolveSpanStyleDefaults(Landroidx/com Landroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1; HSPLandroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1;->()V HSPLandroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1;->()V -Landroidx/compose/ui/text/TextLayoutInput; -HSPLandroidx/compose/ui/text/TextLayoutInput;->()V -HPLandroidx/compose/ui/text/TextLayoutInput;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;IZILandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/font/Font$ResourceLoader;Landroidx/compose/ui/text/font/FontFamily$Resolver;J)V -HPLandroidx/compose/ui/text/TextLayoutInput;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;IZILandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/font/FontFamily$Resolver;J)V -HPLandroidx/compose/ui/text/TextLayoutInput;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;IZILandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/font/FontFamily$Resolver;JLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/ui/text/TextLayoutInput;->getConstraints-msEJaDk()J -PLandroidx/compose/ui/text/TextLayoutInput;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; -Landroidx/compose/ui/text/TextLayoutResult; -HSPLandroidx/compose/ui/text/TextLayoutResult;->()V -HPLandroidx/compose/ui/text/TextLayoutResult;->(Landroidx/compose/ui/text/TextLayoutInput;Landroidx/compose/ui/text/MultiParagraph;J)V -HPLandroidx/compose/ui/text/TextLayoutResult;->(Landroidx/compose/ui/text/TextLayoutInput;Landroidx/compose/ui/text/MultiParagraph;JLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/TextLayoutResult;->getDidOverflowHeight()Z -HPLandroidx/compose/ui/text/TextLayoutResult;->getDidOverflowWidth()Z -HPLandroidx/compose/ui/text/TextLayoutResult;->getFirstBaseline()F -HPLandroidx/compose/ui/text/TextLayoutResult;->getHasVisualOverflow()Z -HPLandroidx/compose/ui/text/TextLayoutResult;->getLastBaseline()F -PLandroidx/compose/ui/text/TextLayoutResult;->getLayoutInput()Landroidx/compose/ui/text/TextLayoutInput; -HPLandroidx/compose/ui/text/TextLayoutResult;->getMultiParagraph()Landroidx/compose/ui/text/MultiParagraph; -HPLandroidx/compose/ui/text/TextLayoutResult;->getSize-YbymL2g()J Landroidx/compose/ui/text/TextRange; HSPLandroidx/compose/ui/text/TextRange;->()V HSPLandroidx/compose/ui/text/TextRange;->access$getZero$cp()J @@ -9811,17 +10414,14 @@ HSPLandroidx/compose/ui/text/TextRangeKt;->coerceIn-8ffj60Q(JII)J HSPLandroidx/compose/ui/text/TextRangeKt;->packWithCheck(II)J Landroidx/compose/ui/text/TextStyle; HSPLandroidx/compose/ui/text/TextStyle;->()V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;)V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;)V -HPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)V +HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/TextStyle;->(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/ParagraphStyle;)V HPLandroidx/compose/ui/text/TextStyle;->(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/PlatformTextStyle;)V HSPLandroidx/compose/ui/text/TextStyle;->access$getDefault$cp()Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/ui/text/TextStyle;->copy-CXVQc50$default(Landroidx/compose/ui/text/TextStyle;JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;ILjava/lang/Object;)Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/ui/text/TextStyle;->copy-CXVQc50(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/ui/text/TextStyle;->copy-p1EtxEg$default(Landroidx/compose/ui/text/TextStyle;JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;ILjava/lang/Object;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/ui/text/TextStyle;->copy-p1EtxEg(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/TextStyle; HPLandroidx/compose/ui/text/TextStyle;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/text/TextStyle;->getAlpha()F HPLandroidx/compose/ui/text/TextStyle;->getBrush()Landroidx/compose/ui/graphics/Brush; @@ -9831,7 +10431,7 @@ HPLandroidx/compose/ui/text/TextStyle;->getFontFamily()Landroidx/compose/ui/text HPLandroidx/compose/ui/text/TextStyle;->getFontStyle-4Lr2A7w()Landroidx/compose/ui/text/font/FontStyle; HPLandroidx/compose/ui/text/TextStyle;->getFontSynthesis-ZQGJjVo()Landroidx/compose/ui/text/font/FontSynthesis; HPLandroidx/compose/ui/text/TextStyle;->getFontWeight()Landroidx/compose/ui/text/font/FontWeight; -HPLandroidx/compose/ui/text/TextStyle;->getLineBreak-LgCVezo()Landroidx/compose/ui/text/style/LineBreak; +HPLandroidx/compose/ui/text/TextStyle;->getLineBreak-rAG3T2k()I HPLandroidx/compose/ui/text/TextStyle;->getLineHeight-XSAIIZE()J HPLandroidx/compose/ui/text/TextStyle;->getLineHeightStyle()Landroidx/compose/ui/text/style/LineHeightStyle; HPLandroidx/compose/ui/text/TextStyle;->getLocaleList()Landroidx/compose/ui/text/intl/LocaleList; @@ -9839,14 +10439,15 @@ HPLandroidx/compose/ui/text/TextStyle;->getParagraphStyle$ui_text_release()Landr HPLandroidx/compose/ui/text/TextStyle;->getPlatformStyle()Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyle;->getShadow()Landroidx/compose/ui/graphics/Shadow; HSPLandroidx/compose/ui/text/TextStyle;->getSpanStyle$ui_text_release()Landroidx/compose/ui/text/SpanStyle; -HPLandroidx/compose/ui/text/TextStyle;->getTextAlign-buA522U()Landroidx/compose/ui/text/style/TextAlign; +HPLandroidx/compose/ui/text/TextStyle;->getTextAlign-e0LSkKk()I HPLandroidx/compose/ui/text/TextStyle;->getTextDecoration()Landroidx/compose/ui/text/style/TextDecoration; -HPLandroidx/compose/ui/text/TextStyle;->getTextDirection-mmuk1to()Landroidx/compose/ui/text/style/TextDirection; +HPLandroidx/compose/ui/text/TextStyle;->getTextDirection-s_7X-co()I HPLandroidx/compose/ui/text/TextStyle;->getTextIndent()Landroidx/compose/ui/text/style/TextIndent; HPLandroidx/compose/ui/text/TextStyle;->getTextMotion()Landroidx/compose/ui/text/style/TextMotion; -HPLandroidx/compose/ui/text/TextStyle;->merge(Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/TextStyle; HPLandroidx/compose/ui/text/TextStyle;->merge(Landroidx/compose/ui/text/TextStyle;)Landroidx/compose/ui/text/TextStyle; -HPLandroidx/compose/ui/text/TextStyle;->toParagraphStyle()Landroidx/compose/ui/text/ParagraphStyle; +HPLandroidx/compose/ui/text/TextStyle;->merge-dA7vx0o$default(Landroidx/compose/ui/text/TextStyle;JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/TextMotion;ILjava/lang/Object;)Landroidx/compose/ui/text/TextStyle; +HPLandroidx/compose/ui/text/TextStyle;->merge-dA7vx0o(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/ui/text/TextStyle;->toParagraphStyle()Landroidx/compose/ui/text/ParagraphStyle; HPLandroidx/compose/ui/text/TextStyle;->toSpanStyle()Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/TextStyle$Companion; HSPLandroidx/compose/ui/text/TextStyle$Companion;->()V @@ -9856,7 +10457,7 @@ Landroidx/compose/ui/text/TextStyleKt; HPLandroidx/compose/ui/text/TextStyleKt;->access$createPlatformTextStyleInternal(Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyleKt;->createPlatformTextStyleInternal(Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyleKt;->resolveDefaults(Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/TextStyle; -HPLandroidx/compose/ui/text/TextStyleKt;->resolveTextDirection-Yj3eThk(Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/style/TextDirection;)I +HPLandroidx/compose/ui/text/TextStyleKt;->resolveTextDirection-IhaHGbI(Landroidx/compose/ui/unit/LayoutDirection;I)I Landroidx/compose/ui/text/TextStyleKt$WhenMappings; HSPLandroidx/compose/ui/text/TextStyleKt$WhenMappings;->()V Landroidx/compose/ui/text/android/BoringLayoutFactory; @@ -9868,6 +10469,7 @@ HSPLandroidx/compose/ui/text/android/BoringLayoutFactoryDefault;->()V HSPLandroidx/compose/ui/text/android/BoringLayoutFactoryDefault;->()V HPLandroidx/compose/ui/text/android/BoringLayoutFactoryDefault;->isBoring(Ljava/lang/CharSequence;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;)Landroid/text/BoringLayout$Metrics; Landroidx/compose/ui/text/android/LayoutIntrinsics; +HSPLandroidx/compose/ui/text/android/LayoutIntrinsics;->()V HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->(Ljava/lang/CharSequence;Landroid/text/TextPaint;I)V HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getBoringMetrics()Landroid/text/BoringLayout$Metrics; HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getMaxIntrinsicWidth()F @@ -9879,18 +10481,20 @@ HPLandroidx/compose/ui/text/android/SpannedExtensionsKt;->hasSpan(Landroid/text/ Landroidx/compose/ui/text/android/StaticLayoutFactory; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/CharSequence;IILandroid/text/TextPaint;ILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)Landroid/text/StaticLayout; +HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/CharSequence;Landroid/text/TextPaint;IIILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)Landroid/text/StaticLayout; +HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory23; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->()V HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory26; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V Landroidx/compose/ui/text/android/StaticLayoutFactory28; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V Landroidx/compose/ui/text/android/StaticLayoutFactoryImpl; Landroidx/compose/ui/text/android/StaticLayoutParams; HPLandroidx/compose/ui/text/android/StaticLayoutParams;->(Ljava/lang/CharSequence;IILandroid/text/TextPaint;ILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)V @@ -9918,11 +10522,13 @@ HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->get(I)Landroid/text/Layout$Alignment; Landroidx/compose/ui/text/android/TextAndroidCanvas; +HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V HPLandroidx/compose/ui/text/android/TextAndroidCanvas;->drawTextRun(Ljava/lang/CharSequence;IIIIFFZLandroid/graphics/Paint;)V HPLandroidx/compose/ui/text/android/TextAndroidCanvas;->getClipBounds(Landroid/graphics/Rect;)Z -HPLandroidx/compose/ui/text/android/TextAndroidCanvas;->setCanvas(Landroid/graphics/Canvas;)V +HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->setCanvas(Landroid/graphics/Canvas;)V Landroidx/compose/ui/text/android/TextLayout; +HSPLandroidx/compose/ui/text/android/TextLayout;->()V HPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;)V HSPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/android/TextLayout;->getDidExceedMaxLines()Z @@ -9932,6 +10538,7 @@ HPLandroidx/compose/ui/text/android/TextLayout;->getLayout()Landroid/text/Layout HPLandroidx/compose/ui/text/android/TextLayout;->getLineBaseline(I)F HPLandroidx/compose/ui/text/android/TextLayout;->getLineCount()I HPLandroidx/compose/ui/text/android/TextLayout;->getText()Ljava/lang/CharSequence; +HPLandroidx/compose/ui/text/android/TextLayout;->isFallbackLinespacingApplied$ui_text_release()Z HPLandroidx/compose/ui/text/android/TextLayout;->paint(Landroid/graphics/Canvas;)V Landroidx/compose/ui/text/android/TextLayout$layoutHelper$2; HPLandroidx/compose/ui/text/android/TextLayout$layoutHelper$2;->(Landroidx/compose/ui/text/android/TextLayout;)V @@ -9941,10 +10548,10 @@ HSPLandroidx/compose/ui/text/android/TextLayoutKt;->VerticalPaddings(II)J HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; -HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getSharedTextAndroidCanvas$p()Landroidx/compose/ui/text/android/TextAndroidCanvas; +HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getSharedTextAndroidCanvas$p()Landroidx/compose/ui/text/android/TextAndroidCanvas; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J +HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; HPLandroidx/compose/ui/text/android/TextLayoutKt;->getTextDirectionHeuristic(I)Landroid/text/TextDirectionHeuristic; HPLandroidx/compose/ui/text/android/TextLayoutKt;->getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J @@ -9958,19 +10565,23 @@ Landroidx/compose/ui/text/android/style/IndentationFixSpanKt; HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F -HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F +HSPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F Landroidx/compose/ui/text/android/style/LetterSpacingSpanEm; Landroidx/compose/ui/text/android/style/LetterSpacingSpanPx; -Landroidx/compose/ui/text/android/style/LineHeightSpan; -HPLandroidx/compose/ui/text/android/style/LineHeightSpan;->(F)V -HPLandroidx/compose/ui/text/android/style/LineHeightSpan;->chooseHeight(Ljava/lang/CharSequence;IIIILandroid/graphics/Paint$FontMetricsInt;)V Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; +HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->()V +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->(FIIZZF)V +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->calculateTargetMetrics(Landroid/graphics/Paint$FontMetricsInt;)V +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->chooseHeight(Ljava/lang/CharSequence;IIIILandroid/graphics/Paint$FontMetricsInt;)V +HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getFirstAscentDiff()I +HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getLastDescentDiff()I Landroidx/compose/ui/text/android/style/LineHeightStyleSpanKt; HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpanKt;->lineHeight(Landroid/graphics/Paint$FontMetricsInt;)I Landroidx/compose/ui/text/android/style/PlaceholderSpan; Landroidx/compose/ui/text/caches/ContainerHelpersKt; HSPLandroidx/compose/ui/text/caches/ContainerHelpersKt;->()V Landroidx/compose/ui/text/caches/LruCache; +HSPLandroidx/compose/ui/text/caches/LruCache;->()V HSPLandroidx/compose/ui/text/caches/LruCache;->(I)V HSPLandroidx/compose/ui/text/caches/LruCache;->access$getMonitor$p(Landroidx/compose/ui/text/caches/LruCache;)Landroidx/compose/ui/text/platform/SynchronizedObject; HSPLandroidx/compose/ui/text/caches/LruCache;->create(Ljava/lang/Object;)Ljava/lang/Object; @@ -9981,21 +10592,26 @@ HSPLandroidx/compose/ui/text/caches/LruCache;->size()I HSPLandroidx/compose/ui/text/caches/LruCache;->sizeOf(Ljava/lang/Object;Ljava/lang/Object;)I HSPLandroidx/compose/ui/text/caches/LruCache;->trimToSize(I)V Landroidx/compose/ui/text/caches/SimpleArrayMap; +HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->()V HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->(I)V HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/text/font/AndroidFontLoader; +HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->()V HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->(Landroid/content/Context;)V HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->getCacheKey()Ljava/lang/Object; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; +HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->()V HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->(I)V -HPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; +HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt; HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt;->AndroidFontResolveInterceptor(Landroid/content/Context;)Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; Landroidx/compose/ui/text/font/AsyncTypefaceCache; +HSPLandroidx/compose/ui/text/font/AsyncTypefaceCache;->()V HSPLandroidx/compose/ui/text/font/AsyncTypefaceCache;->()V Landroidx/compose/ui/text/font/AsyncTypefaceCache$AsyncTypefaceResult; HSPLandroidx/compose/ui/text/font/AsyncTypefaceCache$AsyncTypefaceResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/text/font/DefaultFontFamily; +HSPLandroidx/compose/ui/text/font/DefaultFontFamily;->()V HSPLandroidx/compose/ui/text/font/DefaultFontFamily;->()V Landroidx/compose/ui/text/font/FileBasedFontFamily; Landroidx/compose/ui/text/font/Font$ResourceLoader; @@ -10010,6 +10626,7 @@ HSPLandroidx/compose/ui/text/font/FontFamily$Companion;->(Lkotlin/jvm/inte HSPLandroidx/compose/ui/text/font/FontFamily$Companion;->getSansSerif()Landroidx/compose/ui/text/font/GenericFontFamily; Landroidx/compose/ui/text/font/FontFamily$Resolver; Landroidx/compose/ui/text/font/FontFamilyResolverImpl; +HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->()V HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->(Landroidx/compose/ui/text/font/PlatformFontLoader;Landroidx/compose/ui/text/font/PlatformResolveInterceptor;Landroidx/compose/ui/text/font/TypefaceRequestCache;Landroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter;Landroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;)V HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->(Landroidx/compose/ui/text/font/PlatformFontLoader;Landroidx/compose/ui/text/font/PlatformResolveInterceptor;Landroidx/compose/ui/text/font/TypefaceRequestCache;Landroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter;Landroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->access$getCreateDefaultTypeface$p(Landroidx/compose/ui/text/font/FontFamilyResolverImpl;)Lkotlin/jvm/functions/Function1; @@ -10043,6 +10660,7 @@ HSPLandroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter$Companion;-> Landroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter$special$$inlined$CoroutineExceptionHandler$1; HSPLandroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter$special$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;)V Landroidx/compose/ui/text/font/FontMatcher; +HSPLandroidx/compose/ui/text/font/FontMatcher;->()V HSPLandroidx/compose/ui/text/font/FontMatcher;->()V Landroidx/compose/ui/text/font/FontStyle; HSPLandroidx/compose/ui/text/font/FontStyle;->()V @@ -10092,6 +10710,7 @@ HSPLandroidx/compose/ui/text/font/GenericFontFamily;->()V HSPLandroidx/compose/ui/text/font/GenericFontFamily;->(Ljava/lang/String;Ljava/lang/String;)V HSPLandroidx/compose/ui/text/font/GenericFontFamily;->getName()Ljava/lang/String; Landroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter; +HSPLandroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;->()V HSPLandroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;->()V HSPLandroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;->resolve(Landroidx/compose/ui/text/font/TypefaceRequest;Landroidx/compose/ui/text/font/PlatformFontLoader;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/text/font/TypefaceResult; Landroidx/compose/ui/text/font/PlatformFontLoader; @@ -10110,13 +10729,14 @@ Landroidx/compose/ui/text/font/PlatformTypefacesApi28; HSPLandroidx/compose/ui/text/font/PlatformTypefacesApi28;->()V HSPLandroidx/compose/ui/text/font/PlatformTypefacesApi28;->createAndroidTypefaceApi28-RetOiIg(Ljava/lang/String;Landroidx/compose/ui/text/font/FontWeight;I)Landroid/graphics/Typeface; HSPLandroidx/compose/ui/text/font/PlatformTypefacesApi28;->createNamed-RetOiIg(Landroidx/compose/ui/text/font/GenericFontFamily;Landroidx/compose/ui/text/font/FontWeight;I)Landroid/graphics/Typeface; -Landroidx/compose/ui/text/font/PlatformTypefacesKt; -HSPLandroidx/compose/ui/text/font/PlatformTypefacesKt;->PlatformTypefaces()Landroidx/compose/ui/text/font/PlatformTypefaces; +Landroidx/compose/ui/text/font/PlatformTypefaces_androidKt; +HSPLandroidx/compose/ui/text/font/PlatformTypefaces_androidKt;->PlatformTypefaces()Landroidx/compose/ui/text/font/PlatformTypefaces; Landroidx/compose/ui/text/font/SystemFontFamily; HSPLandroidx/compose/ui/text/font/SystemFontFamily;->()V HSPLandroidx/compose/ui/text/font/SystemFontFamily;->()V HSPLandroidx/compose/ui/text/font/SystemFontFamily;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/text/font/TypefaceRequest; +HSPLandroidx/compose/ui/text/font/TypefaceRequest;->()V HPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;)V HSPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/font/TypefaceRequest;->equals(Ljava/lang/Object;)Z @@ -10125,6 +10745,7 @@ HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontStyle-_-LCdwA()I HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontWeight()Landroidx/compose/ui/text/font/FontWeight; HPLandroidx/compose/ui/text/font/TypefaceRequest;->hashCode()I Landroidx/compose/ui/text/font/TypefaceRequestCache; +HSPLandroidx/compose/ui/text/font/TypefaceRequestCache;->()V HSPLandroidx/compose/ui/text/font/TypefaceRequestCache;->()V HPLandroidx/compose/ui/text/font/TypefaceRequestCache;->runCached(Landroidx/compose/ui/text/font/TypefaceRequest;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/State; Landroidx/compose/ui/text/font/TypefaceRequestCache$runCached$currentTypefaceResult$1; @@ -10136,15 +10757,12 @@ HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/O HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/Object;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getCacheable()Z HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getValue()Ljava/lang/Object; -Landroidx/compose/ui/text/input/AndroidTextInputServicePlugin; -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->()V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->()V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->createAdapter(Landroidx/compose/ui/text/input/PlatformTextInput;Landroid/view/View;)Landroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter; -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->createAdapter(Landroidx/compose/ui/text/input/PlatformTextInput;Landroid/view/View;)Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -Landroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter; -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter;->()V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter;->(Landroidx/compose/ui/text/input/TextInputService;Landroidx/compose/ui/text/input/TextInputServiceAndroid;)V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter;->getService()Landroidx/compose/ui/text/input/TextInputService; +Landroidx/compose/ui/text/input/CursorAnchorInfoController; +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->()V +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->(Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;)V +Landroidx/compose/ui/text/input/CursorAnchorInfoController$textFieldToRootTransform$1; +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController$textFieldToRootTransform$1;->()V +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController$textFieldToRootTransform$1;->()V Landroidx/compose/ui/text/input/ImeAction; HSPLandroidx/compose/ui/text/input/ImeAction;->()V HSPLandroidx/compose/ui/text/input/ImeAction;->access$getDefault$cp()I @@ -10155,9 +10773,9 @@ HSPLandroidx/compose/ui/text/input/ImeAction$Companion;->(Lkotlin/jvm/inte HSPLandroidx/compose/ui/text/input/ImeAction$Companion;->getDefault-eUduSuo()I Landroidx/compose/ui/text/input/ImeOptions; HSPLandroidx/compose/ui/text/input/ImeOptions;->()V -HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZII)V -HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIIILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILandroidx/compose/ui/text/input/PlatformImeOptions;)V +HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILandroidx/compose/ui/text/input/PlatformImeOptions;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILandroidx/compose/ui/text/input/PlatformImeOptions;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/input/ImeOptions;->access$getDefault$cp()Landroidx/compose/ui/text/input/ImeOptions; Landroidx/compose/ui/text/input/ImeOptions$Companion; HSPLandroidx/compose/ui/text/input/ImeOptions$Companion;->()V @@ -10165,6 +10783,7 @@ HSPLandroidx/compose/ui/text/input/ImeOptions$Companion;->(Lkotlin/jvm/int HSPLandroidx/compose/ui/text/input/ImeOptions$Companion;->getDefault()Landroidx/compose/ui/text/input/ImeOptions; Landroidx/compose/ui/text/input/InputMethodManager; Landroidx/compose/ui/text/input/InputMethodManagerImpl; +HSPLandroidx/compose/ui/text/input/InputMethodManagerImpl;->()V HSPLandroidx/compose/ui/text/input/InputMethodManagerImpl;->(Landroid/view/View;)V Landroidx/compose/ui/text/input/InputMethodManagerImpl$imm$2; HSPLandroidx/compose/ui/text/input/InputMethodManagerImpl$imm$2;->(Landroidx/compose/ui/text/input/InputMethodManagerImpl;)V @@ -10184,29 +10803,6 @@ Landroidx/compose/ui/text/input/KeyboardType$Companion; HSPLandroidx/compose/ui/text/input/KeyboardType$Companion;->()V HSPLandroidx/compose/ui/text/input/KeyboardType$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/input/KeyboardType$Companion;->getText-PjHm6EE()I -Landroidx/compose/ui/text/input/PlatformTextInput; -Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -Landroidx/compose/ui/text/input/PlatformTextInputPlugin; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistry; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->()V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->(Lkotlin/jvm/functions/Function2;)V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->getOrCreateAdapter(Landroidx/compose/ui/text/input/PlatformTextInputPlugin;)Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->instantiateAdapter(Landroidx/compose/ui/text/input/PlatformTextInputPlugin;)Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle;->()V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle;->(Landroidx/compose/ui/text/input/PlatformTextInputAdapter;Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle;->getAdapter()Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterInput; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterInput;->(Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;Landroidx/compose/ui/text/input/PlatformTextInputPlugin;)V -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->(Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;Landroidx/compose/ui/text/input/PlatformTextInputAdapter;)V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->getAdapter()Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->getRefCount()I -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->incrementRefCount()V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->setRefCount(I)V -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$getOrCreateAdapter$1; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$getOrCreateAdapter$1;->(Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;)V Landroidx/compose/ui/text/input/PlatformTextInputService; Landroidx/compose/ui/text/input/TextFieldValue; HSPLandroidx/compose/ui/text/input/TextFieldValue;->()V @@ -10229,9 +10825,10 @@ Landroidx/compose/ui/text/input/TextInputService; HSPLandroidx/compose/ui/text/input/TextInputService;->()V HSPLandroidx/compose/ui/text/input/TextInputService;->(Landroidx/compose/ui/text/input/PlatformTextInputService;)V Landroidx/compose/ui/text/input/TextInputServiceAndroid; -HPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/text/input/InputMethodManager;Landroidx/compose/ui/text/input/PlatformTextInput;Ljava/util/concurrent/Executor;)V -HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/text/input/InputMethodManager;Landroidx/compose/ui/text/input/PlatformTextInput;Ljava/util/concurrent/Executor;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/text/input/PlatformTextInput;)V +HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->()V +HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/input/pointer/PositionCalculator;)V +HPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;Ljava/util/concurrent/Executor;)V +HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;Ljava/util/concurrent/Executor;ILkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/text/input/TextInputServiceAndroid$TextInputCommand; Landroidx/compose/ui/text/input/TextInputServiceAndroid$baseInputConnection$2; HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid$baseInputConnection$2;->(Landroidx/compose/ui/text/input/TextInputServiceAndroid;)V @@ -10246,8 +10843,10 @@ HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid_androidKt;->asExecuto Landroidx/compose/ui/text/input/TextInputServiceAndroid_androidKt$$ExternalSyntheticLambda1; HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid_androidKt$$ExternalSyntheticLambda1;->(Landroid/view/Choreographer;)V Landroidx/compose/ui/text/intl/AndroidLocale; +HSPLandroidx/compose/ui/text/intl/AndroidLocale;->()V HSPLandroidx/compose/ui/text/intl/AndroidLocale;->(Ljava/util/Locale;)V Landroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24; +HSPLandroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24;->()V HSPLandroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24;->()V HPLandroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24;->getCurrent()Landroidx/compose/ui/text/intl/LocaleList; Landroidx/compose/ui/text/intl/AndroidPlatformLocale_androidKt; @@ -10270,7 +10869,7 @@ Landroidx/compose/ui/text/intl/PlatformLocale; Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/intl/PlatformLocaleKt; HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->()V -HPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; +HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt; HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->createCharSequence(Ljava/lang/String;FLandroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Lkotlin/jvm/functions/Function4;Z)Ljava/lang/CharSequence; @@ -10278,6 +10877,7 @@ HPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->isInclud Landroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt$NoopSpan$1; HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt$NoopSpan$1;->()V Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics; +HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/text/font/FontFamily$Resolver;Landroidx/compose/ui/unit/Density;)V HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getCharSequence$ui_text_release()Ljava/lang/CharSequence; HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getFontFamilyResolver()Landroidx/compose/ui/text/font/FontFamily$Resolver; @@ -10295,10 +10895,11 @@ Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->ActualParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->access$getHasEmojiCompat(Landroidx/compose/ui/text/TextStyle;)Z HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->getHasEmojiCompat(Landroidx/compose/ui/text/TextStyle;)Z -HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->resolveTextDirectionHeuristics-9GRLPo0(Landroidx/compose/ui/text/style/TextDirection;Landroidx/compose/ui/text/intl/LocaleList;)I +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->resolveTextDirectionHeuristics-HklW4sA(ILandroidx/compose/ui/text/intl/LocaleList;)I Landroidx/compose/ui/text/platform/AndroidParagraph_androidKt; HPLandroidx/compose/ui/text/platform/AndroidParagraph_androidKt;->ActualParagraph--hBUhpc(Landroidx/compose/ui/text/ParagraphIntrinsics;IZJ)Landroidx/compose/ui/text/Paragraph; Landroidx/compose/ui/text/platform/AndroidTextPaint; +HSPLandroidx/compose/ui/text/platform/AndroidTextPaint;->()V HPLandroidx/compose/ui/text/platform/AndroidTextPaint;->(IF)V HPLandroidx/compose/ui/text/platform/AndroidTextPaint;->getBlendMode-0nO6VwU()I HPLandroidx/compose/ui/text/platform/AndroidTextPaint;->setBlendMode-s9anfk8(I)V @@ -10315,32 +10916,37 @@ HPLandroidx/compose/ui/text/platform/DefaultImpl;->getFontLoaded()Landroidx/comp Landroidx/compose/ui/text/platform/DefaultImpl$getFontLoadState$initCallback$1; HSPLandroidx/compose/ui/text/platform/DefaultImpl$getFontLoadState$initCallback$1;->(Landroidx/compose/runtime/MutableState;Landroidx/compose/ui/text/platform/DefaultImpl;)V PLandroidx/compose/ui/text/platform/DefaultImpl$getFontLoadState$initCallback$1;->onFailed(Ljava/lang/Throwable;)V +Landroidx/compose/ui/text/platform/DispatcherKt; +HSPLandroidx/compose/ui/text/platform/DispatcherKt;->()V +HSPLandroidx/compose/ui/text/platform/DispatcherKt;->getFontCacheManagementDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; Landroidx/compose/ui/text/platform/EmojiCompatStatus; HSPLandroidx/compose/ui/text/platform/EmojiCompatStatus;->()V HSPLandroidx/compose/ui/text/platform/EmojiCompatStatus;->()V HPLandroidx/compose/ui/text/platform/EmojiCompatStatus;->getFontLoaded()Landroidx/compose/runtime/State; Landroidx/compose/ui/text/platform/EmojiCompatStatusDelegate; -PLandroidx/compose/ui/text/platform/EmojiCompatStatusKt;->()V -PLandroidx/compose/ui/text/platform/EmojiCompatStatusKt;->access$getFalsey$p()Landroidx/compose/ui/text/platform/ImmutableBool; +PLandroidx/compose/ui/text/platform/EmojiCompatStatus_androidKt;->()V +PLandroidx/compose/ui/text/platform/EmojiCompatStatus_androidKt;->access$getFalsey$p()Landroidx/compose/ui/text/platform/ImmutableBool; PLandroidx/compose/ui/text/platform/ImmutableBool;->(Z)V HPLandroidx/compose/ui/text/platform/ImmutableBool;->getValue()Ljava/lang/Boolean; HPLandroidx/compose/ui/text/platform/ImmutableBool;->getValue()Ljava/lang/Object; Landroidx/compose/ui/text/platform/Synchronization_jvmKt; HSPLandroidx/compose/ui/text/platform/Synchronization_jvmKt;->createSynchronizedObject()Landroidx/compose/ui/text/platform/SynchronizedObject; Landroidx/compose/ui/text/platform/SynchronizedObject; +HSPLandroidx/compose/ui/text/platform/SynchronizedObject;->()V HSPLandroidx/compose/ui/text/platform/SynchronizedObject;->()V Landroidx/compose/ui/text/platform/URLSpanCache; HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V Landroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt; -HPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V +HSPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt; HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->flattenFontStylesAndApply(Landroidx/compose/ui/text/SpanStyle;Ljava/util/List;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->hasFontAttributes(Landroidx/compose/ui/text/TextStyle;)Z +HSPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->isNonLinearFontScalingActive(Landroidx/compose/ui/unit/Density;)Z HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->resolveLineHeightInPx-o2QH7mI(JFLandroidx/compose/ui/unit/Density;)F HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setFontAttributes(Landroid/text/Spannable;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Lkotlin/jvm/functions/Function4;)V -HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setLineHeight-r9BaKPg(Landroid/text/Spannable;JFLandroidx/compose/ui/unit/Density;)V -HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setSpan(Landroid/text/Spannable;Ljava/lang/Object;II)V +HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setLineHeight-KmRG4DE(Landroid/text/Spannable;JFLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/style/LineHeightStyle;)V +HSPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setSpan(Landroid/text/Spannable;Ljava/lang/Object;II)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setSpanStyles(Landroid/text/Spannable;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Landroidx/compose/ui/unit/Density;Lkotlin/jvm/functions/Function4;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setTextIndent(Landroid/text/Spannable;Landroidx/compose/ui/text/style/TextIndent;FLandroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt$setFontAttributes$1; @@ -10366,54 +10972,45 @@ HPLandroidx/compose/ui/text/style/BaselineShift$Companion;->getNone-y9eOQZs()F Landroidx/compose/ui/text/style/BrushStyle; Landroidx/compose/ui/text/style/ColorStyle; HPLandroidx/compose/ui/text/style/ColorStyle;->(J)V -HPLandroidx/compose/ui/text/style/ColorStyle;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/ColorStyle;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/style/ColorStyle;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/text/style/ColorStyle;->getAlpha()F HSPLandroidx/compose/ui/text/style/ColorStyle;->getBrush()Landroidx/compose/ui/graphics/Brush; HPLandroidx/compose/ui/text/style/ColorStyle;->getColor-0d7_KjU()J Landroidx/compose/ui/text/style/Hyphens; HSPLandroidx/compose/ui/text/style/Hyphens;->()V -HPLandroidx/compose/ui/text/style/Hyphens;->(I)V HSPLandroidx/compose/ui/text/style/Hyphens;->access$getAuto$cp()I HPLandroidx/compose/ui/text/style/Hyphens;->access$getNone$cp()I -HPLandroidx/compose/ui/text/style/Hyphens;->box-impl(I)Landroidx/compose/ui/text/style/Hyphens; +HPLandroidx/compose/ui/text/style/Hyphens;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/Hyphens;->constructor-impl(I)I -HPLandroidx/compose/ui/text/style/Hyphens;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/Hyphens;->equals-impl(ILjava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/Hyphens;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/Hyphens;->unbox-impl()I Landroidx/compose/ui/text/style/Hyphens$Companion; HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->()V HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->getAuto-vmbZdU8()I HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getNone-vmbZdU8()I +HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getUnspecified-vmbZdU8()I Landroidx/compose/ui/text/style/LineBreak; HSPLandroidx/compose/ui/text/style/LineBreak;->()V -HPLandroidx/compose/ui/text/style/LineBreak;->(I)V -HPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I -HPLandroidx/compose/ui/text/style/LineBreak;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak; +HSPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I +HPLandroidx/compose/ui/text/style/LineBreak;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/LineBreak;->constructor-impl(I)I -HSPLandroidx/compose/ui/text/style/LineBreak;->constructor-impl(III)I -HPLandroidx/compose/ui/text/style/LineBreak;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/LineBreak;->equals-impl(ILjava/lang/Object;)Z +HSPLandroidx/compose/ui/text/style/LineBreak;->equals-impl0(II)Z HPLandroidx/compose/ui/text/style/LineBreak;->getStrategy-fcGXIks(I)I HPLandroidx/compose/ui/text/style/LineBreak;->getStrictness-usljTpc(I)I HPLandroidx/compose/ui/text/style/LineBreak;->getWordBreak-jp8hJ3c(I)I -HPLandroidx/compose/ui/text/style/LineBreak;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I +HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I +HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getUnspecified-rAG3T2k()I Landroidx/compose/ui/text/style/LineBreak$Strategy; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->()V -HPLandroidx/compose/ui/text/style/LineBreak$Strategy;->(I)V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getBalanced$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getHighQuality$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getSimple$cp()I -HPLandroidx/compose/ui/text/style/LineBreak$Strategy;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak$Strategy; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->equals-impl0(II)Z -HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$Strategy$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10422,15 +11019,12 @@ HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getHighQuality HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getSimple-fcGXIks()I Landroidx/compose/ui/text/style/LineBreak$Strictness; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->()V -HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->(I)V HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getLoose$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getNormal$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getStrict$cp()I -HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak$Strictness; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$Strictness$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10440,13 +11034,10 @@ HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getNormal-us HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getStrict-usljTpc()I Landroidx/compose/ui/text/style/LineBreak$WordBreak; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->()V -HPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->(I)V HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getPhrase$cp()I -HPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak$WordBreak; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->equals-impl0(II)Z -HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$WordBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10461,20 +11052,48 @@ HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->packBytes(III)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte1(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte2(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte3(I)I +Landroidx/compose/ui/text/style/LineHeightStyle; +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FI)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->getAlignment-PIaL0Z0()F +HPLandroidx/compose/ui/text/style/LineHeightStyle;->getTrim-EVpEnUU()I +Landroidx/compose/ui/text/style/LineHeightStyle$Alignment; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->access$getCenter$cp()F +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->access$getProportional$cp()F +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->constructor-impl(F)F +Landroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->getCenter-PIaL0Z0()F +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->getProportional-PIaL0Z0()F +Landroidx/compose/ui/text/style/LineHeightStyle$Companion; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Companion;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/ui/text/style/LineHeightStyle$Trim; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->access$getBoth$cp()I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->access$getNone$cp()I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->constructor-impl(I)I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->isTrimFirstLineTop-impl$ui_text_release(I)Z +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->isTrimLastLineBottom-impl$ui_text_release(I)Z +Landroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getBoth-EVpEnUU()I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getNone-EVpEnUU()I Landroidx/compose/ui/text/style/TextAlign; HSPLandroidx/compose/ui/text/style/TextAlign;->()V -HPLandroidx/compose/ui/text/style/TextAlign;->(I)V HSPLandroidx/compose/ui/text/style/TextAlign;->access$getCenter$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->access$getJustify$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->access$getLeft$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->access$getRight$cp()I HPLandroidx/compose/ui/text/style/TextAlign;->access$getStart$cp()I -HPLandroidx/compose/ui/text/style/TextAlign;->box-impl(I)Landroidx/compose/ui/text/style/TextAlign; +HPLandroidx/compose/ui/text/style/TextAlign;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->constructor-impl(I)I -HPLandroidx/compose/ui/text/style/TextAlign;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/TextAlign;->equals-impl(ILjava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/TextAlign;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/TextAlign;->unbox-impl()I Landroidx/compose/ui/text/style/TextAlign$Companion; HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->()V HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10483,6 +11102,7 @@ HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getJustify-e0LSkKk()I HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getLeft-e0LSkKk()I HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getRight-e0LSkKk()I HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getStart-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getUnspecified-e0LSkKk()I Landroidx/compose/ui/text/style/TextDecoration; HSPLandroidx/compose/ui/text/style/TextDecoration;->()V HSPLandroidx/compose/ui/text/style/TextDecoration;->(I)V @@ -10496,17 +11116,13 @@ HPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getNone()Landroidx/ HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getUnderline()Landroidx/compose/ui/text/style/TextDecoration; Landroidx/compose/ui/text/style/TextDirection; HSPLandroidx/compose/ui/text/style/TextDirection;->()V -HPLandroidx/compose/ui/text/style/TextDirection;->(I)V HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContent$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrLtr$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrRtl$cp()I HPLandroidx/compose/ui/text/style/TextDirection;->access$getLtr$cp()I -HPLandroidx/compose/ui/text/style/TextDirection;->box-impl(I)Landroidx/compose/ui/text/style/TextDirection; +HPLandroidx/compose/ui/text/style/TextDirection;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->constructor-impl(I)I -HPLandroidx/compose/ui/text/style/TextDirection;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/TextDirection;->equals-impl(ILjava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/TextDirection;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/TextDirection;->unbox-impl()I Landroidx/compose/ui/text/style/TextDirection$Companion; HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->()V HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10514,6 +11130,7 @@ HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContent-s_7X-co( HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrLtr-s_7X-co()I HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrRtl-s_7X-co()I HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getLtr-s_7X-co()I +HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getUnspecified-s_7X-co()I Landroidx/compose/ui/text/style/TextForegroundStyle; HSPLandroidx/compose/ui/text/style/TextForegroundStyle;->()V HPLandroidx/compose/ui/text/style/TextForegroundStyle;->merge(Landroidx/compose/ui/text/style/TextForegroundStyle;)Landroidx/compose/ui/text/style/TextForegroundStyle; @@ -10553,13 +11170,12 @@ HSPLandroidx/compose/ui/text/style/TextIndent;->getRestLine-XSAIIZE()J Landroidx/compose/ui/text/style/TextIndent$Companion; HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->()V HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; +HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; Landroidx/compose/ui/text/style/TextMotion; HSPLandroidx/compose/ui/text/style/TextMotion;->()V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZ)V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextMotion;->access$getStatic$cp()Landroidx/compose/ui/text/style/TextMotion; -HSPLandroidx/compose/ui/text/style/TextMotion;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/TextMotion;->getLinearity-4e0Vf04$ui_text_release()I HSPLandroidx/compose/ui/text/style/TextMotion;->getSubpixelTextPositioning$ui_text_release()Z Landroidx/compose/ui/text/style/TextMotion$Companion; @@ -10581,6 +11197,7 @@ Landroidx/compose/ui/text/style/TextOverflow; HSPLandroidx/compose/ui/text/style/TextOverflow;->()V HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getClip$cp()I HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getEllipsis$cp()I +HPLandroidx/compose/ui/text/style/TextOverflow;->access$getVisible$cp()I HSPLandroidx/compose/ui/text/style/TextOverflow;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/TextOverflow;->equals-impl0(II)Z Landroidx/compose/ui/text/style/TextOverflow$Companion; @@ -10588,6 +11205,7 @@ HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->()V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getClip-gIe3tQ8()I HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getEllipsis-gIe3tQ8()I +HPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getVisible-gIe3tQ8()I Landroidx/compose/ui/unit/AndroidDensity_androidKt; HSPLandroidx/compose/ui/unit/AndroidDensity_androidKt;->Density(Landroid/content/Context;)Landroidx/compose/ui/unit/Density; Landroidx/compose/ui/unit/Constraints; @@ -10595,7 +11213,7 @@ HSPLandroidx/compose/ui/unit/Constraints;->()V HPLandroidx/compose/ui/unit/Constraints;->(J)V HPLandroidx/compose/ui/unit/Constraints;->access$getMinHeightOffsets$cp()[I HPLandroidx/compose/ui/unit/Constraints;->box-impl(J)Landroidx/compose/ui/unit/Constraints; -HSPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J +HPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA$default(JIIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA(JIIII)J PLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z @@ -10622,7 +11240,7 @@ PLandroidx/compose/ui/unit/Constraints$Companion;->fixedWidth-OenEA2s(I)J Landroidx/compose/ui/unit/ConstraintsKt; HPLandroidx/compose/ui/unit/ConstraintsKt;->Constraints$default(IIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/ConstraintsKt;->Constraints(IIII)J -HSPLandroidx/compose/ui/unit/ConstraintsKt;->addMaxWithMinimum(II)I +HPLandroidx/compose/ui/unit/ConstraintsKt;->addMaxWithMinimum(II)I HPLandroidx/compose/ui/unit/ConstraintsKt;->constrain-4WqzIAM(JJ)J HPLandroidx/compose/ui/unit/ConstraintsKt;->constrain-N9IONVI(JJ)J HPLandroidx/compose/ui/unit/ConstraintsKt;->constrainHeight-K40F9xA(JI)I @@ -10638,26 +11256,30 @@ HPLandroidx/compose/ui/unit/Density;->toPx-0680j_4(F)F Landroidx/compose/ui/unit/DensityImpl; HSPLandroidx/compose/ui/unit/DensityImpl;->(FF)V HPLandroidx/compose/ui/unit/DensityImpl;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/unit/DensityImpl;->getDensity()F -HPLandroidx/compose/ui/unit/DensityImpl;->getFontScale()F +PLandroidx/compose/ui/unit/DensityImpl;->getDensity()F Landroidx/compose/ui/unit/DensityKt; HSPLandroidx/compose/ui/unit/DensityKt;->Density$default(FFILjava/lang/Object;)Landroidx/compose/ui/unit/Density; HSPLandroidx/compose/ui/unit/DensityKt;->Density(FF)Landroidx/compose/ui/unit/Density; +Landroidx/compose/ui/unit/DensityWithConverter; +HSPLandroidx/compose/ui/unit/DensityWithConverter;->(FFLandroidx/compose/ui/unit/fontscaling/FontScaleConverter;)V +HSPLandroidx/compose/ui/unit/DensityWithConverter;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/DensityWithConverter;->getDensity()F +HPLandroidx/compose/ui/unit/DensityWithConverter;->getFontScale()F Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->()V HPLandroidx/compose/ui/unit/Dp;->(F)V -HSPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F +HPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F HPLandroidx/compose/ui/unit/Dp;->box-impl(F)Landroidx/compose/ui/unit/Dp; -HPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I +HSPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I HSPLandroidx/compose/ui/unit/Dp;->constructor-impl(F)F -HPLandroidx/compose/ui/unit/Dp;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/unit/Dp;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/Dp;->equals-impl(FLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/Dp;->equals-impl0(FF)Z HPLandroidx/compose/ui/unit/Dp;->unbox-impl()F Landroidx/compose/ui/unit/Dp$Companion; HSPLandroidx/compose/ui/unit/Dp$Companion;->()V HSPLandroidx/compose/ui/unit/Dp$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/unit/Dp$Companion;->getUnspecified-D9Ej5fM()F +HPLandroidx/compose/ui/unit/Dp$Companion;->getUnspecified-D9Ej5fM()F Landroidx/compose/ui/unit/DpKt; HSPLandroidx/compose/ui/unit/DpKt;->DpOffset-YgX7TsA(FF)J PLandroidx/compose/ui/unit/DpKt;->DpSize-YgX7TsA(FF)J @@ -10673,17 +11295,27 @@ PLandroidx/compose/ui/unit/DpSize;->getHeight-D9Ej5fM(J)F PLandroidx/compose/ui/unit/DpSize;->getWidth-D9Ej5fM(J)F PLandroidx/compose/ui/unit/DpSize$Companion;->()V PLandroidx/compose/ui/unit/DpSize$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/ui/unit/FontScaling; +HPLandroidx/compose/ui/unit/FontScaling;->toDp-GaN1DYA(J)F +Landroidx/compose/ui/unit/FontScalingKt; +HSPLandroidx/compose/ui/unit/FontScalingKt;->()V +HSPLandroidx/compose/ui/unit/FontScalingKt;->getDisableNonLinearFontScalingInCompose()Z Landroidx/compose/ui/unit/IntOffset; HSPLandroidx/compose/ui/unit/IntOffset;->()V -HSPLandroidx/compose/ui/unit/IntOffset;->(J)V +HPLandroidx/compose/ui/unit/IntOffset;->(J)V HPLandroidx/compose/ui/unit/IntOffset;->access$getZero$cp()J -HSPLandroidx/compose/ui/unit/IntOffset;->box-impl(J)Landroidx/compose/ui/unit/IntOffset; +HPLandroidx/compose/ui/unit/IntOffset;->box-impl(J)Landroidx/compose/ui/unit/IntOffset; HSPLandroidx/compose/ui/unit/IntOffset;->component1-impl(J)I HSPLandroidx/compose/ui/unit/IntOffset;->component2-impl(J)I HPLandroidx/compose/ui/unit/IntOffset;->constructor-impl(J)J +PLandroidx/compose/ui/unit/IntOffset;->copy-iSbpLlY$default(JIIILjava/lang/Object;)J +PLandroidx/compose/ui/unit/IntOffset;->copy-iSbpLlY(JII)J +HPLandroidx/compose/ui/unit/IntOffset;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/IntOffset;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/IntOffset;->equals-impl0(JJ)Z HPLandroidx/compose/ui/unit/IntOffset;->getX-impl(J)I HPLandroidx/compose/ui/unit/IntOffset;->getY-impl(J)I +HPLandroidx/compose/ui/unit/IntOffset;->unbox-impl()J Landroidx/compose/ui/unit/IntOffset$Companion; HSPLandroidx/compose/ui/unit/IntOffset$Companion;->()V HSPLandroidx/compose/ui/unit/IntOffset$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10695,7 +11327,7 @@ Landroidx/compose/ui/unit/IntSize; HSPLandroidx/compose/ui/unit/IntSize;->()V HSPLandroidx/compose/ui/unit/IntSize;->(J)V HPLandroidx/compose/ui/unit/IntSize;->access$getZero$cp()J -HSPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; +HPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; HPLandroidx/compose/ui/unit/IntSize;->constructor-impl(J)J HSPLandroidx/compose/ui/unit/IntSize;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/unit/IntSize;->equals-impl(JLjava/lang/Object;)Z @@ -10715,12 +11347,14 @@ HSPLandroidx/compose/ui/unit/LayoutDirection;->$values()[Landroidx/compose/ui/un HSPLandroidx/compose/ui/unit/LayoutDirection;->()V HSPLandroidx/compose/ui/unit/LayoutDirection;->(Ljava/lang/String;I)V HSPLandroidx/compose/ui/unit/LayoutDirection;->values()[Landroidx/compose/ui/unit/LayoutDirection; +Landroidx/compose/ui/unit/LinearFontScaleConverter; +HSPLandroidx/compose/ui/unit/LinearFontScaleConverter;->(F)V Landroidx/compose/ui/unit/TextUnit; HSPLandroidx/compose/ui/unit/TextUnit;->()V HPLandroidx/compose/ui/unit/TextUnit;->access$getUnspecified$cp()J HSPLandroidx/compose/ui/unit/TextUnit;->constructor-impl(J)J HSPLandroidx/compose/ui/unit/TextUnit;->equals-impl0(JJ)Z -HSPLandroidx/compose/ui/unit/TextUnit;->getRawType-impl(J)J +HPLandroidx/compose/ui/unit/TextUnit;->getRawType-impl(J)J HPLandroidx/compose/ui/unit/TextUnit;->getType-UIouoOA(J)J HPLandroidx/compose/ui/unit/TextUnit;->getValue-impl(J)F Landroidx/compose/ui/unit/TextUnit$Companion; @@ -10749,6 +11383,21 @@ HSPLandroidx/compose/ui/unit/TextUnitType$Companion;->(Lkotlin/jvm/interna HSPLandroidx/compose/ui/unit/TextUnitType$Companion;->getEm-UIouoOA()J HPLandroidx/compose/ui/unit/TextUnitType$Companion;->getSp-UIouoOA()J HSPLandroidx/compose/ui/unit/TextUnitType$Companion;->getUnspecified-UIouoOA()J +Landroidx/compose/ui/unit/fontscaling/FontScaleConverter; +Landroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->forScale(F)Landroidx/compose/ui/unit/fontscaling/FontScaleConverter; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->getKey(F)I +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->getScaleFromKey(I)F +HPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->isNonLinearFontScalingActive(F)Z +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->putInto(Landroidx/collection/SparseArrayCompat;FLandroidx/compose/ui/unit/fontscaling/FontScaleConverter;)V +Landroidx/compose/ui/unit/fontscaling/FontScaleConverterTable; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable;->([F[F)V +Landroidx/compose/ui/unit/fontscaling/FontScaleConverterTable$Companion; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable$Companion;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/util/MathHelpersKt; HSPLandroidx/compose/ui/util/MathHelpersKt;->lerp(FFF)F PLandroidx/concurrent/futures/AbstractResolvableFuture;->()V @@ -10813,7 +11462,7 @@ HSPLandroidx/core/graphics/Insets;->()V HPLandroidx/core/graphics/Insets;->(IIII)V HSPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z HSPLandroidx/core/graphics/Insets;->of(IIII)Landroidx/core/graphics/Insets; -HPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; +HSPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; Landroidx/core/graphics/drawable/TintAwareDrawable; Landroidx/core/os/HandlerCompat; HSPLandroidx/core/os/HandlerCompat;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; @@ -10827,28 +11476,25 @@ HSPLandroidx/core/os/LocaleListCompat;->forLanguageTags(Ljava/lang/String;)Landr HSPLandroidx/core/os/LocaleListCompat;->wrap(Landroid/os/LocaleList;)Landroidx/core/os/LocaleListCompat; Landroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0; HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;I)Z +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Z)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;I)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;Z)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m()I +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;)I +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$8(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;Landroid/graphics/RenderNode;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)F HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)I HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Landroid/graphics/RecordingCanvas; -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;I)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;IIII)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Outline;)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/RenderEffect;)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Z)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;ZLandroid/graphics/Paint;)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;)Ljava/util/Map; HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Ljava/lang/String;)Landroid/graphics/RenderNode; Landroidx/core/os/LocaleListCompat$Api21Impl; HSPLandroidx/core/os/LocaleListCompat$Api21Impl;->()V @@ -11000,7 +11646,7 @@ HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->(Landroidx/core/view/Wi HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->copyRootViewBounds(Landroid/view/View;)V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsetsIgnoringVisibility(I)Landroidx/core/graphics/Insets; -HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z +HPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z Landroidx/core/view/WindowInsetsCompat$Type; HSPLandroidx/core/view/WindowInsetsCompat$Type;->captionBar()I HSPLandroidx/core/view/WindowInsetsCompat$Type;->displayCutout()I @@ -11038,7 +11684,6 @@ Landroidx/customview/poolingcontainer/PoolingContainerListenerHolder; HSPLandroidx/customview/poolingcontainer/PoolingContainerListenerHolder;->()V HSPLandroidx/customview/poolingcontainer/PoolingContainerListenerHolder;->addListener(Landroidx/customview/poolingcontainer/PoolingContainerListener;)V Landroidx/customview/poolingcontainer/R$id; -PLandroidx/datastore/DataStoreFile;->dataStoreFile(Landroid/content/Context;Ljava/lang/String;)Ljava/io/File; PLandroidx/datastore/core/AtomicInt;->(I)V PLandroidx/datastore/core/AtomicInt;->decrementAndGet()I PLandroidx/datastore/core/AtomicInt;->get()I @@ -11239,7 +11884,6 @@ PLandroidx/datastore/core/okio/OkioWriteScope;->(Lokio/FileSystem;Lokio/Pa PLandroidx/datastore/core/okio/OkioWriteScope;->writeData(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/okio/OkioWriteScope$writeData$1;->(Landroidx/datastore/core/okio/OkioWriteScope;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/okio/Synchronizer;->()V -PLandroidx/datastore/preferences/PreferenceDataStoreFile;->preferencesDataStoreFile(Landroid/content/Context;Ljava/lang/String;)Ljava/io/File; PLandroidx/datastore/preferences/PreferencesProto$1;->()V PLandroidx/datastore/preferences/PreferencesProto$PreferenceMap;->()V PLandroidx/datastore/preferences/PreferencesProto$PreferenceMap;->()V @@ -11689,40 +12333,6 @@ PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalS Landroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable; HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->()V PLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V -HPLandroidx/exifinterface/media/ExifInterface;->()V -PLandroidx/exifinterface/media/ExifInterface;->(Ljava/io/InputStream;)V -PLandroidx/exifinterface/media/ExifInterface;->(Ljava/io/InputStream;I)V -PLandroidx/exifinterface/media/ExifInterface;->addDefaultValuesForCompatibility()V -PLandroidx/exifinterface/media/ExifInterface;->getAttribute(Ljava/lang/String;)Ljava/lang/String; -PLandroidx/exifinterface/media/ExifInterface;->getAttributeInt(Ljava/lang/String;I)I -PLandroidx/exifinterface/media/ExifInterface;->getExifAttribute(Ljava/lang/String;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface;->getJpegAttributes(Landroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;II)V -PLandroidx/exifinterface/media/ExifInterface;->getMimeType(Ljava/io/BufferedInputStream;)I -PLandroidx/exifinterface/media/ExifInterface;->getRotationDegrees()I -PLandroidx/exifinterface/media/ExifInterface;->isFlipped()Z -PLandroidx/exifinterface/media/ExifInterface;->isJpegFormat([B)Z -PLandroidx/exifinterface/media/ExifInterface;->loadAttributes(Ljava/io/InputStream;)V -PLandroidx/exifinterface/media/ExifInterface;->shouldSupportSeek(I)Z -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->(Ljava/io/InputStream;)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->(Ljava/io/InputStream;Ljava/nio/ByteOrder;)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->([B)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readByte()B -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readFully([B)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readInt()I -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readUnsignedInt()J -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readUnsignedShort()I -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->setByteOrder(Ljava/nio/ByteOrder;)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->skipFully(I)V -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->(IIJ[B)V -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->(II[B)V -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->createString(Ljava/lang/String;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->createULong(JLjava/nio/ByteOrder;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->createULong([JLjava/nio/ByteOrder;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->getIntValue(Ljava/nio/ByteOrder;)I -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->getStringValue(Ljava/nio/ByteOrder;)Ljava/lang/String; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->getValue(Ljava/nio/ByteOrder;)Ljava/lang/Object; -PLandroidx/exifinterface/media/ExifInterface$ExifTag;->(Ljava/lang/String;II)V -PLandroidx/exifinterface/media/ExifInterface$ExifTag;->(Ljava/lang/String;III)V Landroidx/fragment/app/FragmentActivity; HSPLandroidx/fragment/app/FragmentActivity;->()V HSPLandroidx/fragment/app/FragmentActivity;->dispatchFragmentsOnCreateView(Landroid/view/View;Ljava/lang/String;Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/view/View; @@ -11856,7 +12466,7 @@ Landroidx/lifecycle/DefaultLifecycleObserver; HSPLandroidx/lifecycle/DefaultLifecycleObserver;->onCreate(Landroidx/lifecycle/LifecycleOwner;)V PLandroidx/lifecycle/DefaultLifecycleObserver;->onDestroy(Landroidx/lifecycle/LifecycleOwner;)V PLandroidx/lifecycle/DefaultLifecycleObserver;->onPause(Landroidx/lifecycle/LifecycleOwner;)V -PLandroidx/lifecycle/DefaultLifecycleObserver;->onResume(Landroidx/lifecycle/LifecycleOwner;)V +HSPLandroidx/lifecycle/DefaultLifecycleObserver;->onResume(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/lifecycle/DefaultLifecycleObserver;->onStart(Landroidx/lifecycle/LifecycleOwner;)V PLandroidx/lifecycle/DefaultLifecycleObserver;->onStop(Landroidx/lifecycle/LifecycleOwner;)V Landroidx/lifecycle/DefaultLifecycleObserverAdapter; @@ -11915,7 +12525,7 @@ HPLandroidx/lifecycle/LifecycleRegistry;->backwardPass(Landroidx/lifecycle/Lifec HPLandroidx/lifecycle/LifecycleRegistry;->calculateTargetState(Landroidx/lifecycle/LifecycleObserver;)Landroidx/lifecycle/Lifecycle$State; HPLandroidx/lifecycle/LifecycleRegistry;->enforceMainThreadIfNeeded(Ljava/lang/String;)V HPLandroidx/lifecycle/LifecycleRegistry;->forwardPass(Landroidx/lifecycle/LifecycleOwner;)V -HSPLandroidx/lifecycle/LifecycleRegistry;->getCurrentState()Landroidx/lifecycle/Lifecycle$State; +HPLandroidx/lifecycle/LifecycleRegistry;->getCurrentState()Landroidx/lifecycle/Lifecycle$State; HPLandroidx/lifecycle/LifecycleRegistry;->handleLifecycleEvent(Landroidx/lifecycle/Lifecycle$Event;)V HPLandroidx/lifecycle/LifecycleRegistry;->isSynced()Z HPLandroidx/lifecycle/LifecycleRegistry;->moveToState(Landroidx/lifecycle/Lifecycle$State;)V @@ -12027,11 +12637,9 @@ Landroidx/lifecycle/SavedStateHandleSupport$SAVED_STATE_REGISTRY_OWNER_KEY$1; HSPLandroidx/lifecycle/SavedStateHandleSupport$SAVED_STATE_REGISTRY_OWNER_KEY$1;->()V Landroidx/lifecycle/SavedStateHandleSupport$VIEW_MODEL_STORE_OWNER_KEY$1; HSPLandroidx/lifecycle/SavedStateHandleSupport$VIEW_MODEL_STORE_OWNER_KEY$1;->()V -Landroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1; -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->()V -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->()V -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->invoke(Landroidx/lifecycle/viewmodel/CreationExtras;)Landroidx/lifecycle/SavedStateHandlesVM; -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1; +HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1;->()V +HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1;->create(Ljava/lang/Class;Landroidx/lifecycle/viewmodel/CreationExtras;)Landroidx/lifecycle/ViewModel; Landroidx/lifecycle/SavedStateHandlesProvider; HSPLandroidx/lifecycle/SavedStateHandlesProvider;->(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/ViewModelStoreOwner;)V HSPLandroidx/lifecycle/SavedStateHandlesProvider;->getViewModel()Landroidx/lifecycle/SavedStateHandlesVM; @@ -12089,25 +12697,25 @@ HSPLandroidx/lifecycle/ViewTreeLifecycleOwner;->set(Landroid/view/View;Landroidx Landroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1; HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->()V -HPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2; HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->()V HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->()V -HPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/LifecycleOwner; -HPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/LifecycleOwner; +HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner; HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->get(Landroid/view/View;)Landroidx/lifecycle/ViewModelStoreOwner; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->set(Landroid/view/View;Landroidx/lifecycle/ViewModelStoreOwner;)V Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V -HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V -HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/ViewModelStoreOwner; +HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/ViewModelStoreOwner; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/runtime/R$id; Landroidx/lifecycle/viewmodel/CreationExtras; @@ -12117,23 +12725,12 @@ Landroidx/lifecycle/viewmodel/CreationExtras$Empty; HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V Landroidx/lifecycle/viewmodel/CreationExtras$Key; -Landroidx/lifecycle/viewmodel/InitializerViewModelFactory; -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactory;->([Landroidx/lifecycle/viewmodel/ViewModelInitializer;)V -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactory;->create(Ljava/lang/Class;Landroidx/lifecycle/viewmodel/CreationExtras;)Landroidx/lifecycle/ViewModel; -Landroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder; -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder;->()V -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder;->addInitializer(Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder;->build()Landroidx/lifecycle/ViewModelProvider$Factory; Landroidx/lifecycle/viewmodel/MutableCreationExtras; HSPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->()V HPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->(Landroidx/lifecycle/viewmodel/CreationExtras;)V HSPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->(Landroidx/lifecycle/viewmodel/CreationExtras;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->set(Landroidx/lifecycle/viewmodel/CreationExtras$Key;Ljava/lang/Object;)V Landroidx/lifecycle/viewmodel/R$id; -Landroidx/lifecycle/viewmodel/ViewModelInitializer; -HSPLandroidx/lifecycle/viewmodel/ViewModelInitializer;->(Ljava/lang/Class;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/lifecycle/viewmodel/ViewModelInitializer;->getClazz$lifecycle_viewmodel_release()Ljava/lang/Class; -HSPLandroidx/lifecycle/viewmodel/ViewModelInitializer;->getInitializer$lifecycle_viewmodel_release()Lkotlin/jvm/functions/Function1; Landroidx/lifecycle/viewmodel/compose/LocalViewModelStoreOwner; HSPLandroidx/lifecycle/viewmodel/compose/LocalViewModelStoreOwner;->()V HSPLandroidx/lifecycle/viewmodel/compose/LocalViewModelStoreOwner;->()V @@ -12230,7 +12827,7 @@ HSPLandroidx/savedstate/SavedStateRegistry;->getSavedStateProvider(Ljava/lang/St HPLandroidx/savedstate/SavedStateRegistry;->performAttach$lambda$4(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V HSPLandroidx/savedstate/SavedStateRegistry;->performAttach$savedstate_release(Landroidx/lifecycle/Lifecycle;)V HSPLandroidx/savedstate/SavedStateRegistry;->performRestore$savedstate_release(Landroid/os/Bundle;)V -HPLandroidx/savedstate/SavedStateRegistry;->registerSavedStateProvider(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistry$SavedStateProvider;)V +HSPLandroidx/savedstate/SavedStateRegistry;->registerSavedStateProvider(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistry$SavedStateProvider;)V PLandroidx/savedstate/SavedStateRegistry;->unregisterSavedStateProvider(Ljava/lang/String;)V Landroidx/savedstate/SavedStateRegistry$$ExternalSyntheticLambda0; HSPLandroidx/savedstate/SavedStateRegistry$$ExternalSyntheticLambda0;->(Landroidx/savedstate/SavedStateRegistry;)V @@ -12393,6 +12990,25 @@ HSPLandroidx/tracing/TraceApi18Impl;->beginSection(Ljava/lang/String;)V HSPLandroidx/tracing/TraceApi18Impl;->endSection()V Landroidx/tracing/TraceApi29Impl; HSPLandroidx/tracing/TraceApi29Impl;->isEnabled()Z +Landroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$1()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$2()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$3()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$4()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$5()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$6()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$7()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets$Builder; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/app/Activity;Landroid/app/Application$ActivityLifecycleCallbacks;)V +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/WindowInsetsAnimation$Callback;)V +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/Window;)Landroid/view/WindowInsetsController; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets$Builder;)Landroid/view/WindowInsets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Z +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsetsController;II)V Landroidx/vectordrawable/graphics/drawable/VectorDrawableCommon; Landroidx/vectordrawable/graphics/drawable/VectorDrawableCompat; PLandroidx/window/core/Bounds;->(IIII)V @@ -12427,14 +13043,14 @@ PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->invoke(Ljava/lang/Str Lapp/cash/sqldelight/ColumnAdapter; Lapp/cash/sqldelight/EnumColumnAdapter; HSPLapp/cash/sqldelight/EnumColumnAdapter;->([Ljava/lang/Enum;)V -HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; +PLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/String;)Ljava/lang/Enum; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Enum;)Ljava/lang/String; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Object;)Ljava/lang/Object; Lapp/cash/sqldelight/ExecutableQuery; HSPLapp/cash/sqldelight/ExecutableQuery;->(Lkotlin/jvm/functions/Function1;)V HSPLapp/cash/sqldelight/ExecutableQuery;->executeAsOneOrNull()Ljava/lang/Object; -PLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; +HPLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; Lapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1; HSPLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->(Lapp/cash/sqldelight/ExecutableQuery;)V PLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Lapp/cash/sqldelight/db/QueryResult; @@ -12517,7 +13133,7 @@ PLapp/cash/sqldelight/db/SqlDriver$DefaultImpls;->execute$default(Lapp/cash/sqld Lapp/cash/sqldelight/db/SqlPreparedStatement; Lapp/cash/sqldelight/db/SqlSchema; PLapp/cash/sqldelight/driver/android/AndroidCursor;->(Landroid/database/Cursor;Ljava/lang/Long;)V -HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; +PLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getString(I)Ljava/lang/String; PLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; @@ -12530,6 +13146,7 @@ Lapp/cash/sqldelight/driver/android/AndroidQuery; PLapp/cash/sqldelight/driver/android/AndroidQuery;->(Ljava/lang/String;Landroidx/sqlite/db/SupportSQLiteDatabase;ILjava/lang/Long;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindString(ILjava/lang/String;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindTo(Landroidx/sqlite/db/SupportSQLiteProgram;)V +PLapp/cash/sqldelight/driver/android/AndroidQuery;->close()V HPLapp/cash/sqldelight/driver/android/AndroidQuery;->executeQuery(Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidQuery;->getArgCount()I PLapp/cash/sqldelight/driver/android/AndroidQuery;->getSql()Ljava/lang/String; @@ -12547,7 +13164,7 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getTransaction PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getWindowSizeBytes$p(Lapp/cash/sqldelight/driver/android/AndroidSqliteDriver;)Ljava/lang/Long; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->addListener([Ljava/lang/String;Lapp/cash/sqldelight/Query$Listener;)V PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->currentTransaction()Lapp/cash/sqldelight/Transacter$Transaction; -PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; +HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute-zeHU3Mk(Ljava/lang/Integer;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery-0yMERmw(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Ljava/lang/Object; @@ -12586,27 +13203,15 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRem PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZLjava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)V Lapp/cash/sqldelight/driver/android/AndroidStatement; PLapp/cash/sqldelight/internal/CurrentThreadIdKt;->currentThreadId()J -Lcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$1()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$2()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$3()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$4()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$5()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$6()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets$Builder; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/app/Activity;Landroid/app/Application$ActivityLifecycleCallbacks;)V -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/WindowInsetsAnimation$Callback;)V -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/Window;)Landroid/view/WindowInsetsController; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets$Builder;)Landroid/view/WindowInsets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Z -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsetsController;II)V +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/util/CloseGuard; +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/util/CloseGuard;Ljava/lang/String;)V PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowManager;)Landroid/view/WindowMetrics; PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowMetrics;)Landroid/graphics/Rect; PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowMetrics;)Landroid/view/WindowInsets; +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLParameters;[Ljava/lang/String;)V +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Ljava/lang/String; +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Z +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;Z)V PLcoil3/BitmapImage;->(Landroid/graphics/Bitmap;Z)V PLcoil3/BitmapImage;->getBitmap()Landroid/graphics/Bitmap; PLcoil3/BitmapImage;->getHeight()I @@ -12615,6 +13220,10 @@ PLcoil3/BitmapImage;->getSize()J PLcoil3/BitmapImage;->getWidth()I PLcoil3/ComponentRegistry;->(Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;)V PLcoil3/ComponentRegistry;->(Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/ComponentRegistry;->access$getLazyDecoderFactories$p(Lcoil3/ComponentRegistry;)Ljava/util/List; +PLcoil3/ComponentRegistry;->access$getLazyFetcherFactories$p(Lcoil3/ComponentRegistry;)Ljava/util/List; +PLcoil3/ComponentRegistry;->access$setLazyDecoderFactories$p(Lcoil3/ComponentRegistry;Ljava/util/List;)V +PLcoil3/ComponentRegistry;->access$setLazyFetcherFactories$p(Lcoil3/ComponentRegistry;Ljava/util/List;)V PLcoil3/ComponentRegistry;->getDecoderFactories()Ljava/util/List; PLcoil3/ComponentRegistry;->getFetcherFactories()Ljava/util/List; PLcoil3/ComponentRegistry;->getInterceptors()Ljava/util/List; @@ -12631,7 +13240,24 @@ PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/fetch/Fetcher$Factory;Lkotlin/ref PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/intercept/Interceptor;)Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/key/Keyer;Lkotlin/reflect/KClass;)Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/map/Mapper;Lkotlin/reflect/KClass;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/ComponentRegistry$Builder;->addDecoderFactories(Lkotlin/jvm/functions/Function0;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/ComponentRegistry$Builder;->addFetcherFactories(Lkotlin/jvm/functions/Function0;)Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry$Builder;->build()Lcoil3/ComponentRegistry; +PLcoil3/ComponentRegistry$Builder$1$1;->(Lkotlin/Pair;)V +PLcoil3/ComponentRegistry$Builder$1$1;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$Builder$1$1;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$Builder$add$4$1;->(Lcoil3/fetch/Fetcher$Factory;Lkotlin/reflect/KClass;)V +PLcoil3/ComponentRegistry$Builder$add$4$1;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$Builder$add$4$1;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$Builder$add$5$1;->(Lcoil3/decode/Decoder$Factory;)V +PLcoil3/ComponentRegistry$Builder$add$5$1;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$Builder$add$5$1;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$decoderFactories$2;->(Lcoil3/ComponentRegistry;)V +PLcoil3/ComponentRegistry$decoderFactories$2;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$decoderFactories$2;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$fetcherFactories$2;->(Lcoil3/ComponentRegistry;)V +PLcoil3/ComponentRegistry$fetcherFactories$2;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$fetcherFactories$2;->invoke()Ljava/util/List; PLcoil3/EventListener;->()V PLcoil3/EventListener;->()V PLcoil3/EventListener;->decodeEnd(Lcoil3/request/ImageRequest;Lcoil3/decode/Decoder;Lcoil3/request/Options;Lcoil3/decode/DecodeResult;)V @@ -12657,7 +13283,7 @@ PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/Extras;->()V HPLcoil3/Extras;->(Ljava/util/Map;)V -PLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras;->access$getData$p(Lcoil3/Extras;)Ljava/util/Map; PLcoil3/Extras;->asMap()Ljava/util/Map; HPLcoil3/Extras;->get(Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -12670,7 +13296,7 @@ PLcoil3/Extras$Companion;->()V PLcoil3/Extras$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras$Key;->()V PLcoil3/Extras$Key;->(Ljava/lang/Object;)V -PLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; +HPLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; PLcoil3/Extras$Key$Companion;->()V PLcoil3/Extras$Key$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLcoil3/ExtrasKt;->getExtra(Lcoil3/request/ImageRequest;Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -12679,24 +13305,22 @@ PLcoil3/ExtrasKt;->getOrDefault(Lcoil3/Extras;Lcoil3/Extras$Key;)Ljava/lang/Obje PLcoil3/ExtrasKt;->orEmpty(Lcoil3/Extras;)Lcoil3/Extras; PLcoil3/ImageKt;->asCoilImage$default(Landroid/graphics/Bitmap;ZILjava/lang/Object;)Lcoil3/Image; PLcoil3/ImageKt;->asCoilImage(Landroid/graphics/Bitmap;Z)Lcoil3/Image; -PLcoil3/ImageKt;->asCoilImage(Landroid/graphics/drawable/Drawable;)Lcoil3/Image; PLcoil3/ImageLoader$Builder;->(Landroid/content/Context;)V PLcoil3/ImageLoader$Builder;->access$getApplication$p(Lcoil3/ImageLoader$Builder;)Landroid/content/Context; PLcoil3/ImageLoader$Builder;->build()Lcoil3/ImageLoader; PLcoil3/ImageLoader$Builder;->components(Lcoil3/ComponentRegistry;)Lcoil3/ImageLoader$Builder; +PLcoil3/ImageLoader$Builder;->diskCache(Lkotlin/jvm/functions/Function0;)Lcoil3/ImageLoader$Builder; +PLcoil3/ImageLoader$Builder;->logger(Lcoil3/util/Logger;)Lcoil3/ImageLoader$Builder; PLcoil3/ImageLoader$Builder$build$options$1;->(Lcoil3/ImageLoader$Builder;)V PLcoil3/ImageLoader$Builder$build$options$1;->invoke()Lcoil3/memory/MemoryCache; PLcoil3/ImageLoader$Builder$build$options$1;->invoke()Ljava/lang/Object; -PLcoil3/ImageLoader$Builder$build$options$2;->()V -PLcoil3/ImageLoader$Builder$build$options$2;->()V -PLcoil3/ImageLoader$Builder$build$options$2;->invoke()Lcoil3/disk/DiskCache; -PLcoil3/ImageLoader$Builder$build$options$2;->invoke()Ljava/lang/Object; PLcoil3/ImageLoadersKt;->()V PLcoil3/ImageLoadersKt;->getBitmapFactoryExifOrientationPolicy(Lcoil3/RealImageLoader$Options;)Lcoil3/decode/ExifOrientationPolicy; PLcoil3/ImageLoadersKt;->getBitmapFactoryMaxParallelism(Lcoil3/RealImageLoader$Options;)I PLcoil3/ImageLoaders_commonKt;->()V PLcoil3/ImageLoaders_commonKt;->getAddLastModifiedToFileCacheKey(Lcoil3/RealImageLoader$Options;)Z PLcoil3/ImageLoaders_commonKt;->getNetworkObserverEnabled(Lcoil3/RealImageLoader$Options;)Z +PLcoil3/ImageLoaders_commonKt;->getServiceLoaderEnabled(Lcoil3/RealImageLoader$Options;)Z PLcoil3/RealImageLoader;->()V PLcoil3/RealImageLoader;->(Lcoil3/RealImageLoader$Options;)V PLcoil3/RealImageLoader;->access$executeMain(Lcoil3/RealImageLoader;Lcoil3/request/ImageRequest;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -12733,12 +13357,26 @@ PLcoil3/RealImageLoader$executeMain$result$1;->invoke(Ljava/lang/Object;Ljava/la HPLcoil3/RealImageLoader$executeMain$result$1;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/RealImageLoader$executeMain$result$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/RealImageLoaderKt;->addAndroidComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/RealImageLoaderKt;->enableStaticImageDecoder(Lcoil3/RealImageLoader$Options;)Z HPLcoil3/RealImageLoaderKt;->getDisposable(Lcoil3/request/ImageRequest;Lkotlinx/coroutines/Deferred;)Lcoil3/request/Disposable; PLcoil3/RealImageLoader_commonKt;->CoroutineScope(Lcoil3/util/Logger;)Lkotlinx/coroutines/CoroutineScope; PLcoil3/RealImageLoader_commonKt;->access$CoroutineScope(Lcoil3/util/Logger;)Lkotlinx/coroutines/CoroutineScope; PLcoil3/RealImageLoader_commonKt;->addCommonComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/RealImageLoader_commonKt;->addServiceLoaderComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; PLcoil3/RealImageLoader_commonKt$CoroutineScope$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;Lcoil3/util/Logger;)V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->invoke()Ljava/lang/Object; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->invoke()Ljava/util/List; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1$invoke$$inlined$sortedByDescending$1;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1$invoke$$inlined$sortedByDescending$1;->compare(Ljava/lang/Object;Ljava/lang/Object;)I +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->invoke()Ljava/lang/Object; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->invoke()Ljava/util/List; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2$invoke$$inlined$sortedByDescending$1;->()V PLcoil3/RealImageLoader_jvmKt;->addJvmComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/RealImageLoader_nonNativeKt;->addAppleComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; PLcoil3/SingletonImageLoader;->()V PLcoil3/SingletonImageLoader;->()V HPLcoil3/SingletonImageLoader;->get(Landroid/content/Context;)Lcoil3/ImageLoader; @@ -12754,21 +13392,23 @@ PLcoil3/SingletonImageLoaderKt;->applicationImageLoaderFactory(Landroid/content/ HPLcoil3/Uri;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V PLcoil3/Uri;->getScheme()Ljava/lang/String; PLcoil3/Uri;->toString()Ljava/lang/String; +PLcoil3/Uri_commonKt;->getLength(Ljava/lang/String;)I HPLcoil3/Uri_commonKt;->parseUri(Ljava/lang/String;)Lcoil3/Uri; +HPLcoil3/Uri_commonKt;->percentDecode(Ljava/lang/String;[B)Ljava/lang/String; PLcoil3/Uri_commonKt;->toUri(Ljava/lang/String;)Lcoil3/Uri; -HPLcoil3/compose/AsyncImageKt;->AsyncImage-YIYSHzI(Lcoil3/compose/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ILandroidx/compose/runtime/Composer;I)V -HPLcoil3/compose/AsyncImageKt;->AsyncImage-sKDTAoQ(Ljava/lang/Object;Ljava/lang/String;Lcoil3/ImageLoader;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ILcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;III)V -HPLcoil3/compose/AsyncImageKt;->Content(Landroidx/compose/ui/Modifier;Lcoil3/compose/AsyncImagePainter;Ljava/lang/String;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;Landroidx/compose/runtime/Composer;I)V -HPLcoil3/compose/AsyncImageKt$AsyncImage$1;->(Lcoil3/compose/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;II)V +HPLcoil3/compose/AsyncImageKt;->AsyncImage-76YX9Dk(Lcoil3/compose/internal/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;IZLandroidx/compose/runtime/Composer;II)V +HPLcoil3/compose/AsyncImageKt;->AsyncImage-QgsmV_s(Ljava/lang/Object;Ljava/lang/String;Lcoil3/ImageLoader;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;IZLcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;III)V +HPLcoil3/compose/AsyncImageKt;->Content(Landroidx/compose/ui/Modifier;Lcoil3/compose/AsyncImagePainter;Ljava/lang/String;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ZLandroidx/compose/runtime/Composer;I)V +HPLcoil3/compose/AsyncImageKt$AsyncImage$1;->(Lcoil3/compose/internal/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;IZII)V PLcoil3/compose/AsyncImageKt$Content$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V PLcoil3/compose/AsyncImageKt$Content$$inlined$Layout$1;->invoke()Ljava/lang/Object; -PLcoil3/compose/AsyncImageKt$Content$1;->()V -PLcoil3/compose/AsyncImageKt$Content$1;->()V -HPLcoil3/compose/AsyncImageKt$Content$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -PLcoil3/compose/AsyncImageKt$Content$1$1;->()V -PLcoil3/compose/AsyncImageKt$Content$1$1;->()V -PLcoil3/compose/AsyncImageKt$Content$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/AsyncImageKt$Content$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/AsyncImageKt$Content$2;->()V +PLcoil3/compose/AsyncImageKt$Content$2;->()V +HPLcoil3/compose/AsyncImageKt$Content$2;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +PLcoil3/compose/AsyncImageKt$Content$2$1;->()V +PLcoil3/compose/AsyncImageKt$Content$2$1;->()V +PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/AsyncImagePainter;->()V HPLcoil3/compose/AsyncImagePainter;->(Lcoil3/request/ImageRequest;Lcoil3/ImageLoader;)V PLcoil3/compose/AsyncImagePainter;->access$getDefaultTransform$cp()Lkotlin/jvm/functions/Function1; @@ -12789,13 +13429,13 @@ PLcoil3/compose/AsyncImagePainter;->setContentScale$coil_compose_core_release(La PLcoil3/compose/AsyncImagePainter;->setFilterQuality-vDHp3xo$coil_compose_core_release(I)V PLcoil3/compose/AsyncImagePainter;->setImageLoader$coil_compose_core_release(Lcoil3/ImageLoader;)V PLcoil3/compose/AsyncImagePainter;->setOnState$coil_compose_core_release(Lkotlin/jvm/functions/Function1;)V -PLcoil3/compose/AsyncImagePainter;->setPainter(Landroidx/compose/ui/graphics/painter/Painter;)V +HPLcoil3/compose/AsyncImagePainter;->setPainter(Landroidx/compose/ui/graphics/painter/Painter;)V PLcoil3/compose/AsyncImagePainter;->setPreview$coil_compose_core_release(Z)V PLcoil3/compose/AsyncImagePainter;->setRequest$coil_compose_core_release(Lcoil3/request/ImageRequest;)V -PLcoil3/compose/AsyncImagePainter;->setState(Lcoil3/compose/AsyncImagePainter$State;)V +HPLcoil3/compose/AsyncImagePainter;->setState(Lcoil3/compose/AsyncImagePainter$State;)V PLcoil3/compose/AsyncImagePainter;->setTransform$coil_compose_core_release(Lkotlin/jvm/functions/Function1;)V -PLcoil3/compose/AsyncImagePainter;->set_painter(Landroidx/compose/ui/graphics/painter/Painter;)V -PLcoil3/compose/AsyncImagePainter;->set_state(Lcoil3/compose/AsyncImagePainter$State;)V +HPLcoil3/compose/AsyncImagePainter;->set_painter(Landroidx/compose/ui/graphics/painter/Painter;)V +HPLcoil3/compose/AsyncImagePainter;->set_state(Lcoil3/compose/AsyncImagePainter$State;)V HPLcoil3/compose/AsyncImagePainter;->toState(Lcoil3/request/ImageResult;)Lcoil3/compose/AsyncImagePainter$State; HPLcoil3/compose/AsyncImagePainter;->updateRequest(Lcoil3/request/ImageRequest;)Lcoil3/request/ImageRequest; HPLcoil3/compose/AsyncImagePainter;->updateState(Lcoil3/compose/AsyncImagePainter$State;)V @@ -12805,7 +13445,7 @@ PLcoil3/compose/AsyncImagePainter$Companion;->getDefaultTransform()Lkotlin/jvm/f PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->()V PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->()V PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->invoke(Lcoil3/compose/AsyncImagePainter$State;)Lcoil3/compose/AsyncImagePainter$State; -PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/AsyncImagePainter$State$Empty;->()V PLcoil3/compose/AsyncImagePainter$State$Empty;->()V PLcoil3/compose/AsyncImagePainter$State$Empty;->equals(Ljava/lang/Object;)Z @@ -12818,7 +13458,7 @@ PLcoil3/compose/AsyncImagePainter$State$Success;->()V PLcoil3/compose/AsyncImagePainter$State$Success;->(Landroidx/compose/ui/graphics/painter/Painter;Lcoil3/request/SuccessResult;)V PLcoil3/compose/AsyncImagePainter$State$Success;->getPainter()Landroidx/compose/ui/graphics/painter/Painter; PLcoil3/compose/AsyncImagePainter$State$Success;->getResult()Lcoil3/request/SuccessResult; -PLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V +HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V PLcoil3/compose/AsyncImagePainter$onRemembered$1;->access$invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/compose/AsyncImagePainter$onRemembered$1;->invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -12837,83 +13477,65 @@ PLcoil3/compose/AsyncImagePainter$onRemembered$1$3;->emit(Ljava/lang/Object;Lkot PLcoil3/compose/AsyncImagePainter$updateRequest$$inlined$target$default$1;->(Lcoil3/request/ImageRequest;Lcoil3/compose/AsyncImagePainter;)V HPLcoil3/compose/AsyncImagePainter$updateRequest$$inlined$target$default$1;->onStart(Lcoil3/Image;)V PLcoil3/compose/AsyncImagePainter$updateRequest$$inlined$target$default$1;->onSuccess(Lcoil3/Image;)V -PLcoil3/compose/AsyncImagePainterKt;->()V -HPLcoil3/compose/AsyncImagePainterKt;->maybeNewCrossfadePainter(Lcoil3/compose/AsyncImagePainter$State;Lcoil3/compose/AsyncImagePainter$State;Landroidx/compose/ui/layout/ContentScale;)Lcoil3/compose/CrossfadePainter; -HPLcoil3/compose/AsyncImagePainterKt;->toPainter-55t9-rM(Lcoil3/Image;Landroid/content/Context;I)Landroidx/compose/ui/graphics/painter/Painter; -PLcoil3/compose/AsyncImagePainterKt$fakeTransitionTarget$1;->()V -HPLcoil3/compose/AsyncImagePainter_commonKt;->rememberAsyncImagePainter-0YpotYA(Ljava/lang/Object;Lcoil3/ImageLoader;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;II)Lcoil3/compose/AsyncImagePainter; -HPLcoil3/compose/AsyncImagePainter_commonKt;->rememberAsyncImagePainter-GSdzBsE(Lcoil3/compose/AsyncImageState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILandroidx/compose/runtime/Composer;I)Lcoil3/compose/AsyncImagePainter; -HPLcoil3/compose/AsyncImagePainter_commonKt;->validateRequest(Lcoil3/request/ImageRequest;)V -PLcoil3/compose/AsyncImageState;->()V -HPLcoil3/compose/AsyncImageState;->(Ljava/lang/Object;Lcoil3/compose/EqualityDelegate;Lcoil3/ImageLoader;)V -PLcoil3/compose/AsyncImageState;->getImageLoader()Lcoil3/ImageLoader; -PLcoil3/compose/AsyncImageState;->getModel()Ljava/lang/Object; -PLcoil3/compose/AsyncImageState;->getModelEqualityDelegate()Lcoil3/compose/EqualityDelegate; -PLcoil3/compose/ConstraintsSizeResolver;->()V -HPLcoil3/compose/ConstraintsSizeResolver;->()V -HPLcoil3/compose/ConstraintsSizeResolver;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -HPLcoil3/compose/ConstraintsSizeResolver;->size(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/compose/ConstraintsSizeResolver$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -PLcoil3/compose/ConstraintsSizeResolver$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->(Lkotlinx/coroutines/flow/Flow;)V -HPLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V -HPLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2$1;->(Lcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;Lkotlin/coroutines/Continuation;)V -PLcoil3/compose/ContentPainterModifier;->()V -HPLcoil3/compose/ContentPainterModifier;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V -HPLcoil3/compose/ContentPainterModifier;->calculateScaledSize-E7KxVPU(J)J -HPLcoil3/compose/ContentPainterModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HPLcoil3/compose/ContentPainterModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -HPLcoil3/compose/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J -PLcoil3/compose/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -PLcoil3/compose/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/compose/CrossfadePainter;->()V -PLcoil3/compose/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V -HPLcoil3/compose/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J -HPLcoil3/compose/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J -HPLcoil3/compose/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V -HPLcoil3/compose/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; -PLcoil3/compose/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J -PLcoil3/compose/CrossfadePainter;->getInvalidateTick()I -HPLcoil3/compose/CrossfadePainter;->getMaxAlpha()F -HPLcoil3/compose/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -PLcoil3/compose/CrossfadePainter;->setInvalidateTick(I)V +HPLcoil3/compose/AsyncImagePainterKt;->rememberAsyncImagePainter-0YpotYA(Ljava/lang/Object;Lcoil3/ImageLoader;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;II)Lcoil3/compose/AsyncImagePainter; +HPLcoil3/compose/AsyncImagePainterKt;->rememberAsyncImagePainter-GSdzBsE(Lcoil3/compose/internal/AsyncImageState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILandroidx/compose/runtime/Composer;I)Lcoil3/compose/AsyncImagePainter; +HPLcoil3/compose/AsyncImagePainterKt;->validateRequest(Lcoil3/request/ImageRequest;)V +PLcoil3/compose/AsyncImagePainter_androidKt;->()V +HPLcoil3/compose/AsyncImagePainter_androidKt;->maybeNewCrossfadePainter(Lcoil3/compose/AsyncImagePainter$State;Lcoil3/compose/AsyncImagePainter$State;Landroidx/compose/ui/layout/ContentScale;)Lcoil3/compose/internal/CrossfadePainter; +HPLcoil3/compose/AsyncImagePainter_androidKt;->toPainter-55t9-rM(Lcoil3/Image;Landroid/content/Context;I)Landroidx/compose/ui/graphics/painter/Painter; +PLcoil3/compose/AsyncImagePainter_androidKt$fakeTransitionTarget$1;->()V PLcoil3/compose/EqualityDelegateKt;->()V PLcoil3/compose/EqualityDelegateKt;->getDefaultModelEqualityDelegate()Lcoil3/compose/EqualityDelegate; PLcoil3/compose/EqualityDelegateKt$DefaultModelEqualityDelegate$1;->()V -PLcoil3/compose/UtilsKt;->()V -HPLcoil3/compose/UtilsKt;->constrainHeight-K40F9xA(JF)F -HPLcoil3/compose/UtilsKt;->constrainWidth-K40F9xA(JF)F -HPLcoil3/compose/UtilsKt;->contentDescription(Landroidx/compose/ui/Modifier;Ljava/lang/String;)Landroidx/compose/ui/Modifier; -PLcoil3/compose/UtilsKt;->getZeroConstraints()J -HPLcoil3/compose/UtilsKt;->requestOf(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; -HPLcoil3/compose/UtilsKt;->requestOfWithSizeResolver(Ljava/lang/Object;Landroidx/compose/ui/layout/ContentScale;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; -HPLcoil3/compose/UtilsKt;->toIntSize-uvyYCjk(J)J -HPLcoil3/compose/UtilsKt;->toScale(Landroidx/compose/ui/layout/ContentScale;)Lcoil3/size/Scale; -HPLcoil3/compose/UtilsKt;->toSizeOrNull-BRTryo0(J)Lcoil3/size/Size; -PLcoil3/compose/UtilsKt$contentDescription$1;->(Ljava/lang/String;)V -PLcoil3/decode/BitmapFactoryDecoder;->()V -PLcoil3/decode/BitmapFactoryDecoder;->(Lcoil3/decode/ImageSource;Lcoil3/request/Options;Lkotlinx/coroutines/sync/Semaphore;Lcoil3/decode/ExifOrientationPolicy;)V -PLcoil3/decode/BitmapFactoryDecoder;->access$decode(Lcoil3/decode/BitmapFactoryDecoder;Landroid/graphics/BitmapFactory$Options;)Lcoil3/decode/DecodeResult; -PLcoil3/decode/BitmapFactoryDecoder;->configureConfig(Landroid/graphics/BitmapFactory$Options;Lcoil3/decode/ExifData;)V -PLcoil3/decode/BitmapFactoryDecoder;->configureScale(Landroid/graphics/BitmapFactory$Options;Lcoil3/decode/ExifData;)V -PLcoil3/decode/BitmapFactoryDecoder;->decode(Landroid/graphics/BitmapFactory$Options;)Lcoil3/decode/DecodeResult; -PLcoil3/decode/BitmapFactoryDecoder;->decode(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/decode/BitmapFactoryDecoder$Companion;->()V -PLcoil3/decode/BitmapFactoryDecoder$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/decode/BitmapFactoryDecoder$ExceptionCatchingSource;->(Lokio/Source;)V -PLcoil3/decode/BitmapFactoryDecoder$ExceptionCatchingSource;->getException()Ljava/lang/Exception; -PLcoil3/decode/BitmapFactoryDecoder$ExceptionCatchingSource;->read(Lokio/Buffer;J)J -PLcoil3/decode/BitmapFactoryDecoder$Factory;->(ILcoil3/decode/ExifOrientationPolicy;)V -PLcoil3/decode/BitmapFactoryDecoder$Factory;->create(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/decode/Decoder; -PLcoil3/decode/BitmapFactoryDecoder$decode$1;->(Lcoil3/decode/BitmapFactoryDecoder;Lkotlin/coroutines/Continuation;)V -PLcoil3/decode/BitmapFactoryDecoder$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/decode/BitmapFactoryDecoder$decode$2$1;->(Lcoil3/decode/BitmapFactoryDecoder;)V -PLcoil3/decode/BitmapFactoryDecoder$decode$2$1;->invoke()Lcoil3/decode/DecodeResult; -PLcoil3/decode/BitmapFactoryDecoder$decode$2$1;->invoke()Ljava/lang/Object; +PLcoil3/compose/internal/AsyncImageState;->()V +HPLcoil3/compose/internal/AsyncImageState;->(Ljava/lang/Object;Lcoil3/compose/EqualityDelegate;Lcoil3/ImageLoader;)V +PLcoil3/compose/internal/AsyncImageState;->getImageLoader()Lcoil3/ImageLoader; +PLcoil3/compose/internal/AsyncImageState;->getModel()Ljava/lang/Object; +PLcoil3/compose/internal/AsyncImageState;->getModelEqualityDelegate()Lcoil3/compose/EqualityDelegate; +PLcoil3/compose/internal/ConstraintsSizeResolver;->()V +HPLcoil3/compose/internal/ConstraintsSizeResolver;->()V +HPLcoil3/compose/internal/ConstraintsSizeResolver;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLcoil3/compose/internal/ConstraintsSizeResolver;->size(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->(Lkotlinx/coroutines/flow/Flow;)V +HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V +HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2$1;->(Lcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;Lkotlin/coroutines/Continuation;)V +PLcoil3/compose/internal/ContentPainterModifier;->()V +HPLcoil3/compose/internal/ContentPainterModifier;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HPLcoil3/compose/internal/ContentPainterModifier;->calculateScaledSize-E7KxVPU(J)J +HPLcoil3/compose/internal/ContentPainterModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLcoil3/compose/internal/ContentPainterModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLcoil3/compose/internal/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J +PLcoil3/compose/internal/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/internal/CrossfadePainter;->()V +PLcoil3/compose/internal/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V +HPLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J +HPLcoil3/compose/internal/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J +HPLcoil3/compose/internal/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V +HPLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; +PLcoil3/compose/internal/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J +HPLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I +HPLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F +HPLcoil3/compose/internal/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +PLcoil3/compose/internal/CrossfadePainter;->setInvalidateTick(I)V +PLcoil3/compose/internal/UtilsKt;->()V +HPLcoil3/compose/internal/UtilsKt;->constrainHeight-K40F9xA(JF)F +HPLcoil3/compose/internal/UtilsKt;->constrainWidth-K40F9xA(JF)F +HPLcoil3/compose/internal/UtilsKt;->contentDescription(Landroidx/compose/ui/Modifier;Ljava/lang/String;)Landroidx/compose/ui/Modifier; +PLcoil3/compose/internal/UtilsKt;->getZeroConstraints()J +HPLcoil3/compose/internal/UtilsKt;->requestOf(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; +HPLcoil3/compose/internal/UtilsKt;->requestOfWithSizeResolver(Ljava/lang/Object;Landroidx/compose/ui/layout/ContentScale;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; +HPLcoil3/compose/internal/UtilsKt;->toIntSize-uvyYCjk(J)J +HPLcoil3/compose/internal/UtilsKt;->toScale(Landroidx/compose/ui/layout/ContentScale;)Lcoil3/size/Scale; +HPLcoil3/compose/internal/UtilsKt;->toSizeOrNull-BRTryo0(J)Lcoil3/size/Size; +PLcoil3/compose/internal/UtilsKt$contentDescription$1;->(Ljava/lang/String;)V +PLcoil3/decode/BitmapFactoryDecoder$Factory;->(Lkotlinx/coroutines/sync/Semaphore;Lcoil3/decode/ExifOrientationPolicy;)V PLcoil3/decode/DataSource;->$values()[Lcoil3/decode/DataSource; PLcoil3/decode/DataSource;->()V PLcoil3/decode/DataSource;->(Ljava/lang/String;I)V @@ -12923,44 +13545,38 @@ PLcoil3/decode/DecodeResult;->getImage()Lcoil3/Image; PLcoil3/decode/DecodeResult;->isSampled()Z PLcoil3/decode/DecodeUtils;->()V PLcoil3/decode/DecodeUtils;->()V -PLcoil3/decode/DecodeUtils;->calculateInSampleSize(IIIILcoil3/size/Scale;)I -PLcoil3/decode/DecodeUtils;->computeSizeMultiplier(DDDDLcoil3/size/Scale;)D PLcoil3/decode/DecodeUtils;->computeSizeMultiplier(IIIILcoil3/size/Scale;)D PLcoil3/decode/DecodeUtils$WhenMappings;->()V -PLcoil3/decode/ExifData;->()V -PLcoil3/decode/ExifData;->(ZI)V -PLcoil3/decode/ExifData;->getRotationDegrees()I -PLcoil3/decode/ExifData;->isFlipped()Z -PLcoil3/decode/ExifData$Companion;->()V -PLcoil3/decode/ExifData$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/decode/ExifInterfaceInputStream;->(Ljava/io/InputStream;)V -PLcoil3/decode/ExifInterfaceInputStream;->interceptBytesRead(I)I -PLcoil3/decode/ExifInterfaceInputStream;->read([BII)I PLcoil3/decode/ExifOrientationPolicy;->$values()[Lcoil3/decode/ExifOrientationPolicy; PLcoil3/decode/ExifOrientationPolicy;->()V PLcoil3/decode/ExifOrientationPolicy;->(Ljava/lang/String;I)V -PLcoil3/decode/ExifOrientationPolicy;->values()[Lcoil3/decode/ExifOrientationPolicy; -PLcoil3/decode/ExifUtils;->()V -PLcoil3/decode/ExifUtils;->()V -PLcoil3/decode/ExifUtils;->getExifData(Ljava/lang/String;Lokio/BufferedSource;Lcoil3/decode/ExifOrientationPolicy;)Lcoil3/decode/ExifData; -PLcoil3/decode/ExifUtils;->reverseTransformations(Landroid/graphics/Bitmap;Lcoil3/decode/ExifData;)Landroid/graphics/Bitmap; -PLcoil3/decode/ExifUtilsKt;->()V -PLcoil3/decode/ExifUtilsKt;->isRotated(Lcoil3/decode/ExifData;)Z -PLcoil3/decode/ExifUtilsKt;->isSwapped(Lcoil3/decode/ExifData;)Z -PLcoil3/decode/ExifUtilsKt;->supports(Lcoil3/decode/ExifOrientationPolicy;Ljava/lang/String;)Z -PLcoil3/decode/ExifUtilsKt$WhenMappings;->()V PLcoil3/decode/FileImageSource;->(Lokio/Path;Lokio/FileSystem;Ljava/lang/String;Ljava/io/Closeable;Lcoil3/decode/ImageSource$Metadata;)V PLcoil3/decode/FileImageSource;->assertNotClosed()V PLcoil3/decode/FileImageSource;->close()V +PLcoil3/decode/FileImageSource;->file()Lokio/Path; +PLcoil3/decode/FileImageSource;->fileOrNull()Lokio/Path; PLcoil3/decode/FileImageSource;->getDiskCacheKey$coil_core_release()Ljava/lang/String; PLcoil3/decode/FileImageSource;->getFileSystem()Lokio/FileSystem; -PLcoil3/decode/FileImageSource;->getMetadata()Lcoil3/decode/ImageSource$Metadata; -PLcoil3/decode/FileImageSource;->source()Lokio/BufferedSource; PLcoil3/decode/ImageSourceKt;->ImageSource$default(Lokio/Path;Lokio/FileSystem;Ljava/lang/String;Ljava/io/Closeable;Lcoil3/decode/ImageSource$Metadata;ILjava/lang/Object;)Lcoil3/decode/ImageSource; PLcoil3/decode/ImageSourceKt;->ImageSource(Lokio/Path;Lokio/FileSystem;Ljava/lang/String;Ljava/io/Closeable;Lcoil3/decode/ImageSource$Metadata;)Lcoil3/decode/ImageSource; +PLcoil3/decode/StaticImageDecoder;->(Landroid/graphics/ImageDecoder$Source;Ljava/io/Closeable;Lcoil3/request/Options;Lkotlinx/coroutines/sync/Semaphore;)V +PLcoil3/decode/StaticImageDecoder;->access$configureImageDecoderProperties(Lcoil3/decode/StaticImageDecoder;Landroid/graphics/ImageDecoder;)V +PLcoil3/decode/StaticImageDecoder;->access$getOptions$p(Lcoil3/decode/StaticImageDecoder;)Lcoil3/request/Options; +PLcoil3/decode/StaticImageDecoder;->configureImageDecoderProperties(Landroid/graphics/ImageDecoder;)V +HPLcoil3/decode/StaticImageDecoder;->decode(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/decode/StaticImageDecoder$Factory;->(Lkotlinx/coroutines/sync/Semaphore;)V +PLcoil3/decode/StaticImageDecoder$Factory;->create(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/decode/Decoder; +PLcoil3/decode/StaticImageDecoder$decode$1;->(Lcoil3/decode/StaticImageDecoder;Lkotlin/coroutines/Continuation;)V +PLcoil3/decode/StaticImageDecoder$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/decode/StaticImageDecoder;Lkotlin/jvm/internal/Ref$BooleanRef;)V +HPLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->onHeaderDecoded(Landroid/graphics/ImageDecoder;Landroid/graphics/ImageDecoder$ImageInfo;Landroid/graphics/ImageDecoder$Source;)V +PLcoil3/decode/StaticImageDecoderKt;->access$imageDecoderSourceOrNull(Lcoil3/decode/ImageSource;Lcoil3/request/Options;)Landroid/graphics/ImageDecoder$Source; +PLcoil3/decode/StaticImageDecoderKt;->imageDecoderSourceOrNull(Lcoil3/decode/ImageSource;Lcoil3/request/Options;)Landroid/graphics/ImageDecoder$Source; PLcoil3/disk/DiskCache$Builder;->()V PLcoil3/disk/DiskCache$Builder;->build()Lcoil3/disk/DiskCache; PLcoil3/disk/DiskCache$Builder;->directory(Lokio/Path;)Lcoil3/disk/DiskCache$Builder; +PLcoil3/disk/DiskCache$Builder;->fileSystem(Lokio/FileSystem;)Lcoil3/disk/DiskCache$Builder; +PLcoil3/disk/DiskCache$Builder;->maxSizeBytes(J)Lcoil3/disk/DiskCache$Builder; PLcoil3/disk/DiskLruCache;->()V PLcoil3/disk/DiskLruCache;->(Lokio/FileSystem;Lokio/Path;Lkotlinx/coroutines/CoroutineDispatcher;JII)V PLcoil3/disk/DiskLruCache;->access$completeEdit(Lcoil3/disk/DiskLruCache;Lcoil3/disk/DiskLruCache$Editor;Z)V @@ -12986,7 +13602,7 @@ PLcoil3/disk/DiskLruCache$Editor;->complete(Z)V PLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; PLcoil3/disk/DiskLruCache$Editor;->getEntry()Lcoil3/disk/DiskLruCache$Entry; PLcoil3/disk/DiskLruCache$Editor;->getWritten()[Z -PLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V +HPLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V PLcoil3/disk/DiskLruCache$Entry;->getCleanFiles()Ljava/util/ArrayList; PLcoil3/disk/DiskLruCache$Entry;->getCurrentEditor()Lcoil3/disk/DiskLruCache$Editor; PLcoil3/disk/DiskLruCache$Entry;->getDirtyFiles()Ljava/util/ArrayList; @@ -13027,13 +13643,6 @@ PLcoil3/disk/RealDiskCache$RealSnapshot;->(Lcoil3/disk/DiskLruCache$Snapsh PLcoil3/disk/RealDiskCache$RealSnapshot;->close()V PLcoil3/disk/RealDiskCache$RealSnapshot;->getData()Lokio/Path; PLcoil3/disk/RealDiskCache$RealSnapshot;->getMetadata()Lokio/Path; -PLcoil3/disk/UtilsKt;->()V -PLcoil3/disk/UtilsKt;->getInstance()Lcoil3/disk/DiskCache; -PLcoil3/disk/UtilsKt;->singletonDiskCache()Lcoil3/disk/DiskCache; -PLcoil3/disk/UtilsKt$instance$2;->()V -PLcoil3/disk/UtilsKt$instance$2;->()V -PLcoil3/disk/UtilsKt$instance$2;->invoke()Lcoil3/disk/DiskCache; -PLcoil3/disk/UtilsKt$instance$2;->invoke()Ljava/lang/Object; PLcoil3/fetch/AssetUriFetcher$Factory;->()V PLcoil3/fetch/BitmapFetcher$Factory;->()V PLcoil3/fetch/ByteArrayFetcher$Factory;->()V @@ -13041,45 +13650,6 @@ PLcoil3/fetch/ByteBufferFetcher$Factory;->()V PLcoil3/fetch/ContentUriFetcher$Factory;->()V PLcoil3/fetch/DrawableFetcher$Factory;->()V PLcoil3/fetch/FileUriFetcher$Factory;->()V -PLcoil3/fetch/NetworkFetcher;->(Ljava/lang/String;Lcoil3/request/Options;Lkotlin/Lazy;Lkotlin/Lazy;Lkotlin/Lazy;)V -PLcoil3/fetch/NetworkFetcher;->access$getUrl$p(Lcoil3/fetch/NetworkFetcher;)Ljava/lang/String; -PLcoil3/fetch/NetworkFetcher;->access$toCacheResponse(Lcoil3/fetch/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; -PLcoil3/fetch/NetworkFetcher;->access$toImageSource(Lcoil3/fetch/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; -PLcoil3/fetch/NetworkFetcher;->access$writeToDiskCache(Lcoil3/fetch/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lio/ktor/client/statement/HttpResponse;Lio/ktor/utils/io/ByteReadChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher;->executeNetworkRequest(Lio/ktor/client/request/HttpRequestBuilder;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLcoil3/fetch/NetworkFetcher;->fetch(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher;->getDiskCacheKey()Ljava/lang/String; -PLcoil3/fetch/NetworkFetcher;->getFileSystem()Lokio/FileSystem; -PLcoil3/fetch/NetworkFetcher;->getMimeType$coil_network_release(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; -PLcoil3/fetch/NetworkFetcher;->newRequest()Lio/ktor/client/request/HttpRequestBuilder; -PLcoil3/fetch/NetworkFetcher;->readFromDiskCache()Lcoil3/disk/DiskCache$Snapshot; -PLcoil3/fetch/NetworkFetcher;->toCacheResponse(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; -PLcoil3/fetch/NetworkFetcher;->toImageSource(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; -PLcoil3/fetch/NetworkFetcher;->writeToDiskCache(Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lio/ktor/client/statement/HttpResponse;Lio/ktor/utils/io/ByteReadChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$Factory;->(Lkotlin/Lazy;Lkotlin/Lazy;)V -PLcoil3/fetch/NetworkFetcher$Factory;->(Lkotlin/Lazy;Lkotlin/Lazy;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/fetch/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; -PLcoil3/fetch/NetworkFetcher$Factory;->create(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; -PLcoil3/fetch/NetworkFetcher$Factory;->isApplicable(Lcoil3/Uri;)Z -PLcoil3/fetch/NetworkFetcher$Factory$2;->()V -PLcoil3/fetch/NetworkFetcher$Factory$2;->()V -PLcoil3/fetch/NetworkFetcher$Factory$create$1;->(Lcoil3/ImageLoader;)V -PLcoil3/fetch/NetworkFetcher$Factory$create$1;->invoke()Lcoil3/disk/DiskCache; -PLcoil3/fetch/NetworkFetcher$Factory$create$1;->invoke()Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$1;->(Lcoil3/fetch/NetworkFetcher;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/fetch/NetworkFetcher;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$writeToDiskCache$1;->(Lcoil3/fetch/NetworkFetcher;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$writeToDiskCache$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/fetch/ResourceUriFetcher$Factory;->()V PLcoil3/fetch/SourceFetchResult;->(Lcoil3/decode/ImageSource;Ljava/lang/String;Lcoil3/decode/DataSource;)V PLcoil3/fetch/SourceFetchResult;->getDataSource()Lcoil3/decode/DataSource; @@ -13090,7 +13660,7 @@ PLcoil3/intercept/EngineInterceptor;->access$decode(Lcoil3/intercept/EngineInter PLcoil3/intercept/EngineInterceptor;->access$execute(Lcoil3/intercept/EngineInterceptor;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$fetch(Lcoil3/intercept/EngineInterceptor;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$getMemoryCacheService$p(Lcoil3/intercept/EngineInterceptor;)Lcoil3/memory/MemoryCacheService; -PLcoil3/intercept/EngineInterceptor;->decode(Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/intercept/EngineInterceptor;->decode(Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->execute(Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->fetch(Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->intercept(Lcoil3/intercept/Interceptor$Chain;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13116,7 +13686,7 @@ PLcoil3/intercept/EngineInterceptor$intercept$1;->(Lcoil3/intercept/Engine PLcoil3/intercept/EngineInterceptor$intercept$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$intercept$2;->(Lcoil3/intercept/EngineInterceptor;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lcoil3/memory/MemoryCache$Key;Lcoil3/intercept/Interceptor$Chain;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$intercept$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLcoil3/intercept/EngineInterceptor$intercept$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/intercept/EngineInterceptor$intercept$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptorKt;->transform(Lcoil3/intercept/EngineInterceptor$ExecuteResult;Lcoil3/request/ImageRequest;Lcoil3/request/Options;Lcoil3/EventListener;Lcoil3/util/Logger;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptorKt$transform$1;->(Lkotlin/coroutines/Continuation;)V HPLcoil3/intercept/RealInterceptorChain;->(Lcoil3/request/ImageRequest;Ljava/util/List;ILcoil3/request/ImageRequest;Lcoil3/size/Size;Lcoil3/EventListener;Z)V @@ -13187,25 +13757,126 @@ PLcoil3/memory/WeakReferenceMemoryCache;->()V PLcoil3/memory/WeakReferenceMemoryCache;->get(Lcoil3/memory/MemoryCache$Key;)Lcoil3/memory/MemoryCache$Value; PLcoil3/memory/WeakReferenceMemoryCache$Companion;->()V PLcoil3/memory/WeakReferenceMemoryCache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/network/CacheResponse;->(Lio/ktor/client/statement/HttpResponse;Lio/ktor/http/Headers;)V -PLcoil3/network/CacheResponse;->(Lio/ktor/client/statement/HttpResponse;Lio/ktor/http/Headers;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;)V +PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/network/CacheResponse;->(Lokio/BufferedSource;)V -PLcoil3/network/CacheResponse;->getContentType()Ljava/lang/String; -PLcoil3/network/CacheResponse;->getResponseHeaders()Lio/ktor/http/Headers; +PLcoil3/network/CacheResponse;->getResponseHeaders()Lcoil3/network/NetworkHeaders; HPLcoil3/network/CacheResponse;->writeTo(Lokio/BufferedSink;)V -PLcoil3/network/CacheResponse$1;->(Lokio/BufferedSource;)V -PLcoil3/network/CacheResponse$1;->invoke(Lio/ktor/http/HeadersBuilder;)V -PLcoil3/network/CacheResponse$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/network/CacheResponse$cacheControl$2;->(Lcoil3/network/CacheResponse;)V -PLcoil3/network/CacheResponse$contentType$2;->(Lcoil3/network/CacheResponse;)V -PLcoil3/network/CacheResponse$contentType$2;->invoke()Ljava/lang/Object; -PLcoil3/network/CacheResponse$contentType$2;->invoke()Ljava/lang/String; -PLcoil3/network/UtilsKt;->assertNotOnMainThread()V -PLcoil3/network/UtilsKt;->isMainThread()Z -HPLcoil3/network/Utils_commonKt;->append(Lio/ktor/http/HeadersBuilder;Ljava/lang/String;)Lio/ktor/http/HeadersBuilder; -PLcoil3/network/Utils_jvmKt;->writeTo(Lio/ktor/utils/io/ByteReadChannel;Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/network/Utils_jvmKt$writeTo$2;->(Lkotlin/coroutines/Continuation;)V -PLcoil3/network/Utils_jvmKt$writeTo$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ImageRequestsKt;->()V +PLcoil3/network/ImageRequestsKt;->getHttpBody(Lcoil3/request/Options;)Lcoil3/network/NetworkRequestBody; +PLcoil3/network/ImageRequestsKt;->getHttpHeaders(Lcoil3/request/Options;)Lcoil3/network/NetworkHeaders; +PLcoil3/network/ImageRequestsKt;->getHttpMethod(Lcoil3/request/Options;)Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->(Ljava/lang/String;Lcoil3/request/Options;Lkotlin/Lazy;Lkotlin/Lazy;Lkotlin/Lazy;)V +PLcoil3/network/NetworkFetcher;->access$getUrl$p(Lcoil3/network/NetworkFetcher;)Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->access$toCacheResponse(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; +PLcoil3/network/NetworkFetcher;->access$toImageSource(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; +PLcoil3/network/NetworkFetcher;->access$writeToDiskCache(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher;->executeNetworkRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/NetworkFetcher;->fetch(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher;->getDiskCacheKey()Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->getFileSystem()Lokio/FileSystem; +PLcoil3/network/NetworkFetcher;->getMimeType$coil_network_core_release(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->newRequest()Lcoil3/network/NetworkRequest; +PLcoil3/network/NetworkFetcher;->readFromDiskCache()Lcoil3/disk/DiskCache$Snapshot; +PLcoil3/network/NetworkFetcher;->toCacheResponse(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; +PLcoil3/network/NetworkFetcher;->toImageSource(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; +HPLcoil3/network/NetworkFetcher;->writeToDiskCache(Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$Factory;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V +PLcoil3/network/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; +PLcoil3/network/NetworkFetcher$Factory;->create(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; +PLcoil3/network/NetworkFetcher$Factory;->isApplicable(Lcoil3/Uri;)Z +PLcoil3/network/NetworkFetcher$Factory$create$1;->(Lcoil3/ImageLoader;)V +PLcoil3/network/NetworkFetcher$Factory$create$1;->invoke()Lcoil3/disk/DiskCache; +PLcoil3/network/NetworkFetcher$Factory$create$1;->invoke()Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->invoke(Lcoil3/network/NetworkResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$fetch$1;->(Lcoil3/network/NetworkFetcher;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$fetch$result$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/network/NetworkFetcher;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$fetch$result$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLcoil3/network/NetworkFetcher$fetch$result$1;->invoke(Lcoil3/network/NetworkResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$fetch$result$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/network/NetworkFetcher$fetch$result$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$writeToDiskCache$1;->(Lcoil3/network/NetworkFetcher;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$writeToDiskCache$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkHeaders;->()V +PLcoil3/network/NetworkHeaders;->(Ljava/util/Map;)V +PLcoil3/network/NetworkHeaders;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/network/NetworkHeaders;->access$getData$p(Lcoil3/network/NetworkHeaders;)Ljava/util/Map; +PLcoil3/network/NetworkHeaders;->asMap()Ljava/util/Map; +PLcoil3/network/NetworkHeaders;->get(Ljava/lang/String;)Ljava/lang/String; +PLcoil3/network/NetworkHeaders;->newBuilder()Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Builder;->()V +PLcoil3/network/NetworkHeaders$Builder;->(Lcoil3/network/NetworkHeaders;)V +HPLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Builder;->build()Lcoil3/network/NetworkHeaders; +PLcoil3/network/NetworkHeaders$Builder;->set(Ljava/lang/String;Ljava/util/List;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Companion;->()V +PLcoil3/network/NetworkHeaders$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/network/NetworkRequest;->(Ljava/lang/String;Ljava/lang/String;Lcoil3/network/NetworkHeaders;Lcoil3/network/NetworkRequestBody;)V +PLcoil3/network/NetworkRequest;->getBody()Lcoil3/network/NetworkRequestBody; +PLcoil3/network/NetworkRequest;->getHeaders()Lcoil3/network/NetworkHeaders; +PLcoil3/network/NetworkRequest;->getMethod()Ljava/lang/String; +PLcoil3/network/NetworkRequest;->getUrl()Ljava/lang/String; +PLcoil3/network/NetworkResponse;->(Lcoil3/network/NetworkRequest;IJJLcoil3/network/NetworkHeaders;Lcoil3/network/NetworkResponseBody;Ljava/lang/Object;)V +PLcoil3/network/NetworkResponse;->getBody()Lcoil3/network/NetworkResponseBody; +PLcoil3/network/NetworkResponse;->getCode()I +PLcoil3/network/NetworkResponse;->getHeaders()Lcoil3/network/NetworkHeaders; +PLcoil3/network/NetworkResponse;->getRequestMillis()J +PLcoil3/network/NetworkResponse;->getResponseMillis()J +PLcoil3/network/internal/UtilsKt;->assertNotOnMainThread()V +HPLcoil3/network/internal/Utils_commonKt;->append(Lcoil3/network/NetworkHeaders$Builder;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/ktor/KtorNetworkFetcher;->asNetworkClient(Lio/ktor/client/HttpClient;)Lcoil3/network/NetworkClient; +PLcoil3/network/ktor/KtorNetworkFetcher;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$1;->()V +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$1;->()V +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$2;->()V +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$2;->()V +PLcoil3/network/ktor/internal/KtorNetworkClient;->(Lio/ktor/client/HttpClient;)V +PLcoil3/network/ktor/internal/KtorNetworkClient;->box-impl(Lio/ktor/client/HttpClient;)Lcoil3/network/ktor/internal/KtorNetworkClient; +PLcoil3/network/ktor/internal/KtorNetworkClient;->constructor-impl(Lio/ktor/client/HttpClient;)Lio/ktor/client/HttpClient; +PLcoil3/network/ktor/internal/KtorNetworkClient;->executeRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/KtorNetworkClient;->executeRequest-impl(Lio/ktor/client/HttpClient;Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$1;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->(Lkotlin/jvm/functions/Function2;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->()V +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/fetch/Fetcher$Factory; +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->type()Lkotlin/reflect/KClass; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->(Lio/ktor/utils/io/ByteReadChannel;)V +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->box-impl(Lio/ktor/utils/io/ByteReadChannel;)Lcoil3/network/ktor/internal/KtorNetworkResponseBody; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->constructor-impl(Lio/ktor/utils/io/ByteReadChannel;)Lio/ktor/utils/io/ByteReadChannel; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->writeTo(Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->writeTo-impl(Lio/ktor/utils/io/ByteReadChannel;Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/UtilsKt;->writeTo(Lio/ktor/utils/io/ByteReadChannel;Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/UtilsKt$writeTo$2;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/UtilsKt$writeTo$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->access$toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->access$toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->takeFrom(Lio/ktor/http/HeadersBuilder;Lcoil3/network/NetworkHeaders;)V +PLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkHeaders(Lio/ktor/http/Headers;)Lcoil3/network/NetworkHeaders; +PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt$toHttpRequestBuilder$1;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/Utils_commonKt$toNetworkResponse$1;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/okhttp/OkHttpNetworkFetcher;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$1;->()V +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$1;->()V +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$2;->()V +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$2;->()V +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->()V +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/fetch/Fetcher$Factory; +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->priority()I +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->type()Lkotlin/reflect/KClass; PLcoil3/request/AndroidRequestService;->(Lcoil3/ImageLoader;Lcoil3/util/SystemCallbacks;Lcoil3/util/Logger;)V HPLcoil3/request/AndroidRequestService;->isBitmapConfigValidMainThread(Lcoil3/request/ImageRequest;Lcoil3/size/Size;)Z PLcoil3/request/AndroidRequestService;->isBitmapConfigValidWorkerThread(Lcoil3/request/Options;)Z @@ -13227,7 +13898,7 @@ PLcoil3/request/CachePolicy;->(Ljava/lang/String;IZZ)V PLcoil3/request/CachePolicy;->getReadEnabled()Z PLcoil3/request/CachePolicy;->getWriteEnabled()Z HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;)V -HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/request/ImageRequest;->equals(Ljava/lang/Object;)Z HPLcoil3/request/ImageRequest;->getContext()Landroid/content/Context; HPLcoil3/request/ImageRequest;->getData()Ljava/lang/Object; @@ -13240,10 +13911,10 @@ PLcoil3/request/ImageRequest;->getDiskCachePolicy()Lcoil3/request/CachePolicy; HPLcoil3/request/ImageRequest;->getExtras()Lcoil3/Extras; PLcoil3/request/ImageRequest;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest;->getFetcherFactory()Lkotlin/Pair; -PLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; +HPLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; PLcoil3/request/ImageRequest;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest;->getListener()Lcoil3/request/ImageRequest$Listener; -PLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; +HPLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; HPLcoil3/request/ImageRequest;->getMemoryCacheKeyExtras()Ljava/util/Map; PLcoil3/request/ImageRequest;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; @@ -13276,14 +13947,14 @@ PLcoil3/request/ImageRequest$Defaults;->(Lokio/FileSystem;Lkotlinx/corouti PLcoil3/request/ImageRequest$Defaults;->(Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/request/ImageRequest$Defaults;->copy$default(Lcoil3/request/ImageRequest$Defaults;Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;ILjava/lang/Object;)Lcoil3/request/ImageRequest$Defaults; PLcoil3/request/ImageRequest$Defaults;->copy(Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;)Lcoil3/request/ImageRequest$Defaults; -PLcoil3/request/ImageRequest$Defaults;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -HPLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; +PLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getExtras()Lcoil3/Extras; -PLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; +HPLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest$Defaults;->getFileSystem()Lokio/FileSystem; -PLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -HPLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; -HPLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; +PLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; +PLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getPrecision()Lcoil3/size/Precision; PLcoil3/request/ImageRequest$Defaults$Companion;->()V PLcoil3/request/ImageRequest$Defaults$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13298,8 +13969,8 @@ PLcoil3/request/ImageRequest$Defined;->getMemoryCachePolicy()Lcoil3/request/Cach PLcoil3/request/ImageRequest$Defined;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defined;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defined;->getPrecision()Lcoil3/size/Precision; -HPLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; -PLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; +PLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; +HPLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequestKt;->resolveScale(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/Scale; HPLcoil3/request/ImageRequestKt;->resolveSizeResolver(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/SizeResolver; PLcoil3/request/ImageRequestsKt;->()V @@ -13307,7 +13978,7 @@ PLcoil3/request/ImageRequestsKt;->crossfade(Lcoil3/request/ImageRequest$Builder; HPLcoil3/request/ImageRequestsKt;->getAllowHardware(Lcoil3/request/ImageRequest;)Z HPLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/ImageRequest;)Z PLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/Options;)Z -PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; +HPLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/Options;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getColorSpace(Lcoil3/request/Options;)Landroid/graphics/ColorSpace; PLcoil3/request/ImageRequestsKt;->getPremultipliedAlpha(Lcoil3/request/Options;)Z @@ -13315,16 +13986,12 @@ PLcoil3/request/ImageRequestsKt;->getTransformations(Lcoil3/request/ImageRequest PLcoil3/request/ImageRequestsKt;->getTransitionFactory(Lcoil3/request/ImageRequest;)Lcoil3/transition/Transition$Factory; PLcoil3/request/ImageRequestsKt;->newCrossfadeTransitionFactory(I)Lcoil3/transition/Transition$Factory; PLcoil3/request/ImageRequestsKt;->transitionFactory(Lcoil3/request/ImageRequest$Builder;Lcoil3/transition/Transition$Factory;)Lcoil3/request/ImageRequest$Builder; -PLcoil3/request/NetworkRequestsKt;->()V -PLcoil3/request/NetworkRequestsKt;->getHttpHeaders(Lcoil3/request/Options;)Lio/ktor/http/Headers; -PLcoil3/request/NetworkRequestsKt;->getHttpMethod(Lcoil3/request/Options;)Lio/ktor/http/HttpMethod; PLcoil3/request/NullRequestData;->()V PLcoil3/request/NullRequestData;->()V PLcoil3/request/OneShotDisposable;->(Lkotlinx/coroutines/Deferred;)V PLcoil3/request/OneShotDisposable;->getJob()Lkotlinx/coroutines/Deferred; HPLcoil3/request/Options;->(Landroid/content/Context;Lcoil3/size/Size;Lcoil3/size/Scale;ZLjava/lang/String;Lokio/FileSystem;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/Extras;)V PLcoil3/request/Options;->getAllowInexactSize()Z -PLcoil3/request/Options;->getContext()Landroid/content/Context; PLcoil3/request/Options;->getDiskCacheKey()Ljava/lang/String; PLcoil3/request/Options;->getDiskCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/Options;->getExtras()Lcoil3/Extras; @@ -13336,7 +14003,7 @@ PLcoil3/request/RequestServiceKt;->RequestService(Lcoil3/ImageLoader;Lcoil3/util HPLcoil3/request/SuccessResult;->(Lcoil3/Image;Lcoil3/request/ImageRequest;Lcoil3/decode/DataSource;Lcoil3/memory/MemoryCache$Key;Ljava/lang/String;ZZ)V PLcoil3/request/SuccessResult;->getDataSource()Lcoil3/decode/DataSource; PLcoil3/request/SuccessResult;->getImage()Lcoil3/Image; -PLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; +HPLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; PLcoil3/request/SuccessResult;->isPlaceholderCached()Z PLcoil3/size/Dimension$Pixels;->(I)V PLcoil3/size/Dimension$Pixels;->equals(Ljava/lang/Object;)Z @@ -13398,7 +14065,7 @@ PLcoil3/util/ContextsKt;->totalAvailableMemoryBytes(Landroid/content/Context;)J PLcoil3/util/CoroutinesKt;->ioCoroutineDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/util/EmptyNetworkObserver;->()V PLcoil3/util/EmptyNetworkObserver;->isOnline()Z -PLcoil3/util/FileSystemsKt;->remainingFreeSpaceBytes(Lokio/FileSystem;Lokio/Path;)J +PLcoil3/util/FetcherServiceLoaderTarget;->priority()I PLcoil3/util/FileSystems_commonKt;->createFile$default(Lokio/FileSystem;Lokio/Path;ZILjava/lang/Object;)V PLcoil3/util/FileSystems_commonKt;->createFile(Lokio/FileSystem;Lokio/Path;Z)V PLcoil3/util/FileSystems_jvmKt;->defaultFileSystem()Lokio/FileSystem; @@ -13415,6 +14082,18 @@ PLcoil3/util/LruCache;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Obje PLcoil3/util/LruCache;->safeSizeOf(Ljava/lang/Object;Ljava/lang/Object;)J PLcoil3/util/LruCache;->trimToSize(J)V PLcoil3/util/NetworkObserverKt;->NetworkObserver(Landroid/content/Context;Lcoil3/util/NetworkObserver$Listener;Lcoil3/util/Logger;)Lcoil3/util/NetworkObserver; +PLcoil3/util/ServiceLoaderComponentRegistry;->()V +PLcoil3/util/ServiceLoaderComponentRegistry;->()V +PLcoil3/util/ServiceLoaderComponentRegistry;->getDecoders()Ljava/util/List; +PLcoil3/util/ServiceLoaderComponentRegistry;->getFetchers()Ljava/util/List; +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->invoke()Ljava/lang/Object; +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->invoke()Ljava/util/List; +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/lang/Object; +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/util/List; PLcoil3/util/SystemCallbacksKt;->SystemCallbacks()Lcoil3/util/SystemCallbacks; PLcoil3/util/Utils_androidKt;->()V HPLcoil3/util/Utils_androidKt;->getAllowInexactSize(Lcoil3/request/ImageRequest;)Z @@ -13436,6 +14115,7 @@ PLcoil3/util/Utils_commonKt$WhenMappings;->()V Lcom/google/android/material/theme/MaterialComponentsViewInflater; HSPLcom/google/android/material/theme/MaterialComponentsViewInflater;->()V Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/backstack/BackStack;->push$default(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;ILjava/lang/Object;)V Lcom/slack/circuit/backstack/BackStack$Record; Lcom/slack/circuit/backstack/BackStackKt; HSPLcom/slack/circuit/backstack/BackStackKt;->isEmpty(Lcom/slack/circuit/backstack/BackStack;)Z @@ -13463,7 +14143,7 @@ PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getValueProviders$p(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)Ljava/util/Map; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->canBeSaved(Ljava/lang/Object;)Z -HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->getParentRegistry()Landroidx/compose/runtime/saveable/SaveableStateRegistry; HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->performSave()Ljava/util/Map; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; @@ -13506,13 +14186,16 @@ Lcom/slack/circuit/backstack/ProvidedValues; Lcom/slack/circuit/backstack/SaveableBackStack; HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getEntryList$p(Lcom/slack/circuit/backstack/SaveableBackStack;)Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getStateStore$backstack_release()Ljava/util/Map; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/BackStack$Record; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/SaveableBackStack$Record; HSPLcom/slack/circuit/backstack/SaveableBackStack;->iterator()Ljava/util/Iterator; -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;)V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V Lcom/slack/circuit/backstack/SaveableBackStack$Companion; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13520,7 +14203,7 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->getSaver()Landroid Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack;)Ljava/util/List; +HPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack;)Ljava/util/List; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2;->()V @@ -13529,12 +14212,15 @@ Lcom/slack/circuit/backstack/SaveableBackStack$Record; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getResultKey$p(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/lang/String; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$readResult(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Lcom/slack/circuit/runtime/screen/PopResult; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getArgs()Ljava/util/Map; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getKey()Ljava/lang/String; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getScreen()Lcom/slack/circuit/runtime/screen/Screen; HPLcom/slack/circuit/backstack/SaveableBackStack$Record;->hashCode()I +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->readResult()Lcom/slack/circuit/runtime/screen/PopResult; Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13542,7 +14228,7 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->getSaver()L Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/util/List; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/util/Map; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V @@ -13586,6 +14272,30 @@ PLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValu Lcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt; HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt;->access$findActivity(Landroid/content/Context;)Landroid/app/Activity; HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt;->findActivity(Landroid/content/Context;)Landroid/app/Activity; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->access$rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$5(Landroidx/compose/runtime/MutableState;)Z +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/runtime/Navigator;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1;->(Ljava/lang/String;Landroidx/compose/runtime/State;Landroidx/compose/runtime/MutableState;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1;->(Landroidx/compose/runtime/State;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Landroidx/compose/runtime/MutableState; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Ljava/lang/Object; Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/foundation/Circuit;->()V HSPLcom/slack/circuit/foundation/Circuit;->(Lcom/slack/circuit/foundation/Circuit$Builder;)V @@ -13665,7 +14375,7 @@ Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$ HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->(Lcom/slack/circuit/foundation/EventListener;)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->dispose()V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1;->(Lkotlin/jvm/functions/Function1;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1;->(Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/runtime/screen/Screen;)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1; HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->(Ljava/lang/Object;)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->invoke(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; @@ -13711,6 +14421,7 @@ HSPLcom/slack/circuit/foundation/EventListener$Companion;->getNONE()Lcom/slack/c Lcom/slack/circuit/foundation/EventListener$Companion$NONE$1; HSPLcom/slack/circuit/foundation/EventListener$Companion$NONE$1;->()V Lcom/slack/circuit/foundation/NavigableCircuitContentKt; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->()V HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->NavigableCircuitContent(Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$1(Landroidx/compose/runtime/State;)Lcom/slack/circuit/runtime/Navigator; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; @@ -13720,7 +14431,11 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContent HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$3(Landroidx/compose/runtime/State;)Lkotlin/jvm/functions/Function4; HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getLocalBackStack()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getRegistryKey(Lcom/slack/circuit/backstack/BackStack$Record;)Ljava/lang/String; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->(Lcom/slack/circuit/backstack/NavDecoration;Lkotlinx/collections/immutable/ImmutableList;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lkotlinx/collections/immutable/ImmutableMap;)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -13735,7 +14450,7 @@ Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;)V PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->canRetain(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1; -HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->(Lcom/slack/circuit/backstack/BackStack$Record;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/foundation/RecordContentProvider;)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->(Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/foundation/RecordContentProvider;)V HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$1; @@ -13765,21 +14480,22 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentPr Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration; HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V -HPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->DecoratedContent(Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->(I)V -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->DecoratedContent(Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2; HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->(Lkotlin/jvm/functions/Function3;)V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Landroidx/compose/animation/AnimatedContentScope;Lkotlinx/collections/immutable/ImmutableList;Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$3; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$3;->(Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;I)V -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->(I)V -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->invoke()Landroidx/compose/runtime/MutableState; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V @@ -13787,17 +14503,19 @@ Lcom/slack/circuit/foundation/NavigatorImplKt; HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->onBack(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)Lkotlin/jvm/functions/Function0; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;ZLandroidx/compose/runtime/Composer;II)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1; HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Ljava/lang/Object;)V -Lcom/slack/circuit/foundation/Navigator_androidKt$rememberCircuitNavigator$1$1; -HSPLcom/slack/circuit/foundation/Navigator_androidKt$rememberCircuitNavigator$1$1;->(Ljava/lang/Object;)V +Lcom/slack/circuit/foundation/Navigator_androidKt$onBack$1; +HSPLcom/slack/circuit/foundation/Navigator_androidKt$onBack$1;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)V Lcom/slack/circuit/foundation/RecordContentProvider; HSPLcom/slack/circuit/foundation/RecordContentProvider;->()V HSPLcom/slack/circuit/foundation/RecordContentProvider;->(Lcom/slack/circuit/backstack/BackStack$Record;Lkotlin/jvm/functions/Function3;)V +HSPLcom/slack/circuit/foundation/RecordContentProvider;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/foundation/RecordContentProvider;->getContent$circuit_foundation_release()Lkotlin/jvm/functions/Function3; HSPLcom/slack/circuit/foundation/RecordContentProvider;->getRecord()Lcom/slack/circuit/backstack/BackStack$Record; -HPLcom/slack/circuit/foundation/RecordContentProvider;->hashCode()I +HSPLcom/slack/circuit/foundation/RecordContentProvider;->hashCode()I Lcom/slack/circuit/overlay/AnimatedOverlay; Lcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt; HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt;->()V @@ -13810,6 +14528,7 @@ HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda- HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/overlay/ContentWithOverlaysKt; HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayState; HPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->access$ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1; @@ -13823,6 +14542,10 @@ HPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->i HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2; HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2;->(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;II)V +Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/overlay/Overlay; Lcom/slack/circuit/overlay/OverlayHost; Lcom/slack/circuit/overlay/OverlayHostData; @@ -13836,6 +14559,16 @@ HSPLcom/slack/circuit/overlay/OverlayKt;->rememberOverlayHost(Landroidx/compose/ Lcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1; HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V +Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->$values()[Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->()V +HSPLcom/slack/circuit/overlay/OverlayState;->(Ljava/lang/String;I)V +Lcom/slack/circuit/overlay/OverlayStateKt; +HSPLcom/slack/circuit/overlay/OverlayStateKt;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt;->getLocalOverlayState()Landroidx/compose/runtime/ProvidableCompositionLocal; +Lcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1; +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V Lcom/slack/circuit/retained/AndroidContinuityKt; HPLcom/slack/circuit/retained/AndroidContinuityKt;->continuityRetainedStateRegistry(Ljava/lang/String;Landroidx/lifecycle/ViewModelProvider$Factory;Lcom/slack/circuit/retained/CanRetainChecker;Landroidx/compose/runtime/Composer;II)Lcom/slack/circuit/retained/RetainedStateRegistry; HSPLcom/slack/circuit/retained/AndroidContinuityKt;->continuityRetainedStateRegistry(Ljava/lang/String;Lcom/slack/circuit/retained/CanRetainChecker;Landroidx/compose/runtime/Composer;II)Lcom/slack/circuit/retained/RetainedStateRegistry; @@ -13884,7 +14617,7 @@ Lcom/slack/circuit/retained/ContinuityViewModel; HSPLcom/slack/circuit/retained/ContinuityViewModel;->()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->consumeValue(Ljava/lang/String;)Ljava/lang/Object; -PLcom/slack/circuit/retained/ContinuityViewModel;->forgetUnclaimedValues()V +HSPLcom/slack/circuit/retained/ContinuityViewModel;->forgetUnclaimedValues()V PLcom/slack/circuit/retained/ContinuityViewModel;->onCleared()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; PLcom/slack/circuit/retained/ContinuityViewModel;->saveValue(Ljava/lang/String;)V @@ -13921,7 +14654,7 @@ Lcom/slack/circuit/retained/RetainedStateRegistryImpl; HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->()V HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->(Ljava/util/Map;)V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->consumeValue(Ljava/lang/String;)Ljava/lang/Object; -PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues()V +HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues()V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getRetained()Ljava/util/Map; PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getValueProviders$circuit_retained_release()Ljava/util/Map; HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; @@ -13948,6 +14681,7 @@ Lcom/slack/circuit/runtime/CircuitContext$Companion; HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->()V HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lcom/slack/circuit/runtime/CircuitUiState; +Lcom/slack/circuit/runtime/GoToNavigator; Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/runtime/internal/NoOpMap; HSPLcom/slack/circuit/runtime/internal/NoOpMap;->()V @@ -13957,6 +14691,7 @@ HSPLcom/slack/circuit/runtime/internal/NoOpSet;->()V HSPLcom/slack/circuit/runtime/internal/NoOpSet;->()V Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/runtime/presenter/Presenter$Factory; +Lcom/slack/circuit/runtime/screen/PopResult; Lcom/slack/circuit/runtime/screen/Screen; Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/runtime/ui/Ui$Factory; @@ -13987,10 +14722,10 @@ HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Landroidx/co HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1;->(Ljava/lang/Object;)V -Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1; -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1;->(Lkotlinx/collections/immutable/PersistentList;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1;->invoke(Lcom/slack/circuit/backstack/SaveableBackStack;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1; +HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->(Lkotlinx/collections/immutable/PersistentList;)V +HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Lcom/slack/circuit/backstack/SaveableBackStack;)V +HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1;->(Ljava/lang/Object;)V Lcom/slack/circuit/star/MainActivity$sam$com_slack_circuitx_android_AndroidScreenStarter$0; @@ -14020,7 +14755,7 @@ HSPLcom/slack/circuit/star/benchmark/IndexMultiplier_Factory$InstanceHolder;->()V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory;->()V -PLcom/slack/circuit/star/benchmark/ListBenchmarksFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory; HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory;->()V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory;->create()Lcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory; @@ -14140,15 +14875,36 @@ PLcom/slack/circuit/star/data/Colors;->getPrimary()Ljava/lang/String; PLcom/slack/circuit/star/data/Colors;->getSecondary()Ljava/lang/String; PLcom/slack/circuit/star/data/ColorsJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/ColorsJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->()V +PLcom/slack/circuit/star/data/ContextStarAppDirs;->(Landroid/content/Context;Lokio/FileSystem;)V +PLcom/slack/circuit/star/data/ContextStarAppDirs;->access$getContext$p(Lcom/slack/circuit/star/data/ContextStarAppDirs;)Landroid/content/Context; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->getFs()Lokio/FileSystem; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->getUserCache()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->getUserConfig()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userCache$2;->(Lcom/slack/circuit/star/data/ContextStarAppDirs;)V +PLcom/slack/circuit/star/data/ContextStarAppDirs$userCache$2;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userCache$2;->invoke()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userConfig$2;->(Lcom/slack/circuit/star/data/ContextStarAppDirs;)V +PLcom/slack/circuit/star/data/ContextStarAppDirs$userConfig$2;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userConfig$2;->invoke()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userData$2;->(Lcom/slack/circuit/star/data/ContextStarAppDirs;)V +Lcom/slack/circuit/star/data/ContextStarAppDirs_Factory; +HSPLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/ContextStarAppDirs_Factory; +PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Lcom/slack/circuit/star/data/ContextStarAppDirs; +PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->newInstance(Landroid/content/Context;Lokio/FileSystem;)Lcom/slack/circuit/star/data/ContextStarAppDirs; Lcom/slack/circuit/star/data/DataModule; PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$DB7R4HeDnMWpb1ErSjMSLCfy6r8(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$mn3Xyc6tGOF1yxPQrbrKYubJoY0(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; HSPLcom/slack/circuit/star/data/DataModule;->()V HSPLcom/slack/circuit/star/data/DataModule;->()V PLcom/slack/circuit/star/data/DataModule;->provideAuthedOkHttpClient(Lretrofit2/Retrofit;Lcom/slack/circuit/star/data/TokenStorage;Lokhttp3/OkHttpClient;)Lokhttp3/OkHttpClient; +PLcom/slack/circuit/star/data/DataModule;->provideFileSystem()Lokio/FileSystem; +PLcom/slack/circuit/star/data/DataModule;->provideHttpCache(Lcom/slack/circuit/star/data/StarAppDirs;)Lokhttp3/Cache; PLcom/slack/circuit/star/data/DataModule;->provideHttpClient(Ldagger/Lazy;)Lio/ktor/client/HttpClient; HSPLcom/slack/circuit/star/data/DataModule;->provideMoshi()Lcom/squareup/moshi/Moshi; -PLcom/slack/circuit/star/data/DataModule;->provideOkHttpClient()Lokhttp3/OkHttpClient; +PLcom/slack/circuit/star/data/DataModule;->provideOkHttpClient(Lokhttp3/Cache;)Lokhttp3/OkHttpClient; PLcom/slack/circuit/star/data/DataModule;->providePetfinderApi$lambda$2(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; HSPLcom/slack/circuit/star/data/DataModule;->providePetfinderApi(Lretrofit2/Retrofit;Ldagger/Lazy;)Lcom/slack/circuit/star/data/PetfinderApi; PLcom/slack/circuit/star/data/DataModule;->provideRetrofit$lambda$1(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; @@ -14177,6 +14933,21 @@ HSPLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->cr PLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->get()Ljava/lang/Object; PLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->get()Lokhttp3/OkHttpClient; PLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->provideAuthedOkHttpClient(Lretrofit2/Retrofit;Lcom/slack/circuit/star/data/TokenStorage;Lokhttp3/OkHttpClient;)Lokhttp3/OkHttpClient; +Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->()V +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->create()Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory; +PLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->get()Lokio/FileSystem; +PLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->provideFileSystem()Lokio/FileSystem; +Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory$InstanceHolder; +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory$InstanceHolder;->()V +Lcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->(Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory; +PLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->get()Lokhttp3/Cache; +PLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->provideHttpCache(Lcom/slack/circuit/star/data/StarAppDirs;)Lokhttp3/Cache; Lcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory; HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory; @@ -14193,14 +14964,11 @@ Lcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory$InstanceHolder; HSPLcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory; HSPLcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory$InstanceHolder;->()V Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->()V -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->create()Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->(Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->get()Ljava/lang/Object; PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->get()Lokhttp3/OkHttpClient; -PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->provideOkHttpClient()Lokhttp3/OkHttpClient; -Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory$InstanceHolder; -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory$InstanceHolder;->()V +PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->provideOkHttpClient(Lokhttp3/Cache;)Lokhttp3/OkHttpClient; Lcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory; HSPLcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory; @@ -14239,7 +15007,7 @@ PLcom/slack/circuit/star/data/Link;->(Ljava/lang/String;)V PLcom/slack/circuit/star/data/LinkJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/LinkJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/Links;->()V -PLcom/slack/circuit/star/data/Links;->(Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;)V +HPLcom/slack/circuit/star/data/Links;->(Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;)V PLcom/slack/circuit/star/data/LinksJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/LinksJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/Pagination;->()V @@ -14288,8 +15056,8 @@ PLcom/slack/circuit/star/data/TokenStorageImpl$updateAuthData$2;->invoke(Ljava/l PLcom/slack/circuit/star/data/TokenStorageImpl$updateAuthData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/data/TokenStorageModule;->()V PLcom/slack/circuit/star/data/TokenStorageModule;->()V -PLcom/slack/circuit/star/data/TokenStorageModule;->provideDatastoreStorage(Landroid/content/Context;)Landroidx/datastore/core/Storage; -PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->(Landroid/content/Context;)V +PLcom/slack/circuit/star/data/TokenStorageModule;->provideDatastoreStorage(Lcom/slack/circuit/star/data/StarAppDirs;)Landroidx/datastore/core/Storage; +PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->(Lcom/slack/circuit/star/data/StarAppDirs;)V PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->invoke(Lokio/FileSystem;)Lokio/Path; Lcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory; @@ -14297,7 +15065,7 @@ HSPLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactor HSPLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory; PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->get()Landroidx/datastore/core/Storage; PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->get()Ljava/lang/Object; -PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->provideDatastoreStorage(Landroid/content/Context;)Landroidx/datastore/core/Storage; +PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->provideDatastoreStorage(Lcom/slack/circuit/star/data/StarAppDirs;)Landroidx/datastore/core/Storage; PLcom/slack/circuit/star/data/VideoJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V PLcom/slack/circuit/star/datastore/DatastoreExtensionsKt;->createStorage(Lokio/FileSystem;Lkotlin/jvm/functions/Function1;)Landroidx/datastore/core/Storage; PLcom/slack/circuit/star/datastore/DatastoreExtensionsKt;->getExtension(Lokio/Path;)Ljava/lang/String; @@ -14308,12 +15076,12 @@ PLcom/slack/circuit/star/db/Animal;->()V HPLcom/slack/circuit/star/db/Animal;->(JJLjava/lang/String;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Ljava/lang/String;Lcom/slack/circuit/star/db/Gender;Lcom/slack/circuit/star/db/Size;Ljava/lang/String;)V PLcom/slack/circuit/star/db/Animal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getDescription()Ljava/lang/String; -PLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; +HPLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; PLcom/slack/circuit/star/db/Animal;->getId()J -PLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; +HPLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getPhotoUrls()Lkotlinx/collections/immutable/ImmutableList; -PLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; -PLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; +HPLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; +HPLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getSize()Lcom/slack/circuit/star/db/Size; PLcom/slack/circuit/star/db/Animal;->getSort()J PLcom/slack/circuit/star/db/Animal;->getTags()Lkotlinx/collections/immutable/ImmutableList; @@ -14321,7 +15089,7 @@ PLcom/slack/circuit/star/db/Animal;->getUrl()Ljava/lang/String; Lcom/slack/circuit/star/db/Animal$Adapter; HSPLcom/slack/circuit/star/db/Animal$Adapter;->()V HSPLcom/slack/circuit/star/db/Animal$Adapter;->(Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;)V -PLcom/slack/circuit/star/db/Animal$Adapter;->getGenderAdapter()Lapp/cash/sqldelight/ColumnAdapter; +HPLcom/slack/circuit/star/db/Animal$Adapter;->getGenderAdapter()Lapp/cash/sqldelight/ColumnAdapter; HPLcom/slack/circuit/star/db/Animal$Adapter;->getPhotoUrlsAdapter()Lapp/cash/sqldelight/ColumnAdapter; PLcom/slack/circuit/star/db/Animal$Adapter;->getSizeAdapter()Lapp/cash/sqldelight/ColumnAdapter; PLcom/slack/circuit/star/db/Animal$Adapter;->getTagsAdapter()Lapp/cash/sqldelight/ColumnAdapter; @@ -14395,7 +15163,7 @@ PLcom/slack/circuit/star/db/StarQueries$deleteAllAnimals$1;->invoke(Lkotlin/jvm/ Lcom/slack/circuit/star/db/StarQueries$getAllAnimals$1; HSPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->(Lkotlin/jvm/functions/Function12;Lcom/slack/circuit/star/db/StarQueries;)V HPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Ljava/lang/Object; -HPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/db/StarQueries$getAllAnimals$2; HSPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$2;->()V HSPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$2;->()V @@ -14443,19 +15211,6 @@ HSPLcom/slack/circuit/star/di/AppComponent$Companion;->()V HSPLcom/slack/circuit/star/di/AppComponent$Companion;->()V HSPLcom/slack/circuit/star/di/AppComponent$Companion;->create(Landroid/content/Context;)Lcom/slack/circuit/star/di/AppComponent; Lcom/slack/circuit/star/di/AppComponent$Factory; -PLcom/slack/circuit/star/di/BaseUiModule;->()V -PLcom/slack/circuit/star/di/BaseUiModule$Companion;->()V -PLcom/slack/circuit/star/di/BaseUiModule$Companion;->()V -PLcom/slack/circuit/star/di/BaseUiModule$Companion;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;)Lcoil3/ImageLoader; -PLcom/slack/circuit/star/di/BaseUiModule$Companion$provideImageLoader$1$1;->(Ldagger/Lazy;)V -PLcom/slack/circuit/star/di/BaseUiModule$Companion$provideImageLoader$1$1;->invoke()Lio/ktor/client/HttpClient; -PLcom/slack/circuit/star/di/BaseUiModule$Companion$provideImageLoader$1$1;->invoke()Ljava/lang/Object; -Lcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory; -HSPLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;)V -HSPLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory; -PLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->get()Lcoil3/ImageLoader; -PLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->get()Ljava/lang/Object; -PLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;)Lcoil3/ImageLoader; Lcom/slack/circuit/star/di/CircuitModule; HSPLcom/slack/circuit/star/di/CircuitModule;->()V Lcom/slack/circuit/star/di/CircuitModule$Companion; @@ -14468,6 +15223,23 @@ HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->cr HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->get()Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->get()Ljava/lang/Object; HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->provideCircuit(Ljava/util/Set;Ljava/util/Set;)Lcom/slack/circuit/foundation/Circuit; +PLcom/slack/circuit/star/di/CoilModule;->()V +PLcom/slack/circuit/star/di/CoilModule;->()V +PLcom/slack/circuit/star/di/CoilModule;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;Lcom/slack/circuit/star/data/StarAppDirs;)Lcoil3/ImageLoader; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$1;->(Lcom/slack/circuit/star/data/StarAppDirs;)V +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$1;->invoke()Lcoil3/disk/DiskCache; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$1;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$1;->(Ldagger/Lazy;)V +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$1;->invoke()Lcoil3/network/NetworkClient; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$1;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$2;->()V +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$2;->()V +Lcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory; +HSPLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory; +PLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->get()Lcoil3/ImageLoader; +PLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;Lcom/slack/circuit/star/data/StarAppDirs;)Lcoil3/ImageLoader; Lcom/slack/circuit/star/di/CommonAppComponent; Lcom/slack/circuit/star/di/DaggerAppComponent; HSPLcom/slack/circuit/star/di/DaggerAppComponent;->factory()Lcom/slack/circuit/star/di/AppComponent$Factory; @@ -14576,7 +15348,7 @@ Lcom/slack/circuit/star/home/HomeScreen$State; HSPLcom/slack/circuit/star/home/HomeScreen$State;->()V HSPLcom/slack/circuit/star/home/HomeScreen$State;->(Lkotlinx/collections/immutable/ImmutableList;ILkotlin/jvm/functions/Function1;)V HSPLcom/slack/circuit/star/home/HomeScreen$State;->(Lkotlinx/collections/immutable/ImmutableList;ILkotlin/jvm/functions/Function1;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcom/slack/circuit/star/home/HomeScreen$State;->equals(Ljava/lang/Object;)Z +HSPLcom/slack/circuit/star/home/HomeScreen$State;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/star/home/HomeScreen$State;->getNavItems()Lkotlinx/collections/immutable/ImmutableList; HSPLcom/slack/circuit/star/home/HomeScreen$State;->getSelectedIndex()I Lcom/slack/circuit/star/home/HomeScreenKt; @@ -14584,7 +15356,7 @@ HPLcom/slack/circuit/star/home/HomeScreenKt;->BottomNavigationBar(ILkotlin/jvm/f HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomeContent$lambda$4(Landroidx/compose/runtime/MutableState;)Z HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomeContent$lambda$5(Landroidx/compose/runtime/MutableState;Z)V HPLcom/slack/circuit/star/home/HomeScreenKt;->HomeContent(Lcom/slack/circuit/star/home/HomeScreen$State;Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;II)V -HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomePresenter$lambda$1(Landroidx/compose/runtime/MutableState;)I +HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomePresenter$lambda$1(Landroidx/compose/runtime/MutableIntState;)I HPLcom/slack/circuit/star/home/HomeScreenKt;->HomePresenter(Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/home/HomeScreen$State; HSPLcom/slack/circuit/star/home/HomeScreenKt;->access$BottomNavigationBar(ILkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/star/home/HomeScreenKt;->access$HomeContent$lambda$4(Landroidx/compose/runtime/MutableState;)Z @@ -14603,8 +15375,6 @@ Lcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3; HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3;->(Lcom/slack/circuit/star/home/BottomNavItem;)V HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Lcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$2; -HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$2;->(ILkotlin/jvm/functions/Function1;I)V Lcom/slack/circuit/star/home/HomeScreenKt$HomeContent$1; HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$1;->(Lcom/slack/circuit/star/home/HomeScreen$State;)V HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$1;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -14631,7 +15401,7 @@ HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$contentComposed$2;->invoke()Landroidx/compose/runtime/MutableState; HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$contentComposed$2;->invoke()Ljava/lang/Object; Lcom/slack/circuit/star/home/HomeScreenKt$HomePresenter$1$1; -HSPLcom/slack/circuit/star/home/HomeScreenKt$HomePresenter$1$1;->(Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/runtime/MutableState;)V +HSPLcom/slack/circuit/star/home/HomeScreenKt$HomePresenter$1$1;->(Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/runtime/MutableIntState;)V Lcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration; HSPLcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration;->(Lcom/slack/circuit/backstack/NavDecoration;)V @@ -14639,7 +15409,7 @@ HPLcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration;->DecoratedC Lcom/slack/circuit/star/imageviewer/ImageViewerFactory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->()V -PLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory;->create()Lcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory; @@ -14673,7 +15443,7 @@ HSPLcom/slack/circuit/star/petdetail/PetBioParser;->()V Lcom/slack/circuit/star/petdetail/PetDetailFactory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V -PLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->create()Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; @@ -14687,7 +15457,7 @@ Lcom/slack/circuit/star/petdetail/PetDetailPresenter$Factory; Lcom/slack/circuit/star/petdetail/PetDetailPresenterFactory; HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->(Lcom/slack/circuit/star/petdetail/PetDetailPresenter$Factory;)V -PLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory; HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory; @@ -14700,6 +15470,7 @@ HSPLcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory;->create(Ljavax/ Lcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory_Impl; HSPLcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory_Impl;->(Lcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory;)V HSPLcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory_Impl;->createFactoryProvider(Lcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory;)Ldagger/internal/Provider; +Lcom/slack/circuit/star/petdetail/PetDetailScreen; Lcom/slack/circuit/star/petdetail/PetPhotoCarouselFactory; HSPLcom/slack/circuit/star/petdetail/PetPhotoCarouselFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetPhotoCarouselFactory;->()V @@ -14755,21 +15526,52 @@ HSPLcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-4 Lcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-5$1; HSPLcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-5$1;->()V HSPLcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-5$1;->()V +Lcom/slack/circuit/star/petlist/FilterUiFactory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory;->()V +HSPLcom/slack/circuit/star/petlist/FilterUiFactory;->()V +HSPLcom/slack/circuit/star/petlist/FilterUiFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->()V +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->create()Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->get()Lcom/slack/circuit/star/petlist/FilterUiFactory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->get()Ljava/lang/Object; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->newInstance()Lcom/slack/circuit/star/petlist/FilterUiFactory; +Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory$InstanceHolder; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory$InstanceHolder;->()V Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/Filters;->()V HSPLcom/slack/circuit/star/petlist/Filters;->(Lkotlinx/collections/immutable/ImmutableSet;Lkotlinx/collections/immutable/ImmutableSet;)V HSPLcom/slack/circuit/star/petlist/Filters;->(Lkotlinx/collections/immutable/ImmutableSet;Lkotlinx/collections/immutable/ImmutableSet;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLcom/slack/circuit/star/petlist/Filters;->getGenders()Lkotlinx/collections/immutable/ImmutableSet; -HPLcom/slack/circuit/star/petlist/Filters;->getSizes()Lkotlinx/collections/immutable/ImmutableSet; +PLcom/slack/circuit/star/petlist/Filters;->getGenders()Lkotlinx/collections/immutable/ImmutableSet; +PLcom/slack/circuit/star/petlist/Filters;->getSizes()Lkotlinx/collections/immutable/ImmutableSet; Lcom/slack/circuit/star/petlist/Filters$Creator; HSPLcom/slack/circuit/star/petlist/Filters$Creator;->()V +Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory; +Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->()V +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->(Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory;)V +PLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->(Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->get()Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->get()Ljava/lang/Object; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->newInstance(Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory;)Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; +Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory;->()V +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory;->create()Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory; +Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory_Impl; +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory_Impl;->(Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory;)V +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory_Impl;->createFactoryProvider(Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory;)Ldagger/internal/Provider; +Lcom/slack/circuit/star/petlist/FiltersScreen; +Lcom/slack/circuit/star/petlist/FiltersScreen$Result; PLcom/slack/circuit/star/petlist/PetListAnimal;->()V HPLcom/slack/circuit/star/petlist/PetListAnimal;->(JLjava/lang/String;Ljava/lang/String;Ljava/lang/String;Lcom/slack/circuit/star/db/Gender;Lcom/slack/circuit/star/db/Size;Ljava/lang/String;)V -PLcom/slack/circuit/star/petlist/PetListAnimal;->equals(Ljava/lang/Object;)Z PLcom/slack/circuit/star/petlist/PetListAnimal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getBreed()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getGender()Lcom/slack/circuit/star/db/Gender; -PLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J +HPLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J PLcom/slack/circuit/star/petlist/PetListAnimal;->getImageUrl()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getName()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; @@ -14796,12 +15598,12 @@ HSPLcom/slack/circuit/star/petlist/PetListPresenter;->access$getPetRepo$p(Lcom/s HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$1(Landroidx/compose/runtime/MutableState;)Z HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$5(Landroidx/compose/runtime/State;)Ljava/util/List; PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$6(Landroidx/compose/runtime/MutableState;)Z -HPLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; +PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/CircuitUiState; HPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/petlist/PetListScreen$State; -HPLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z +PLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z Lcom/slack/circuit/star/petlist/PetListPresenter$Factory; -PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V +PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lcom/slack/circuit/runtime/GoToNavigator;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1; HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lkotlin/coroutines/Continuation;)V HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; @@ -14824,6 +15626,8 @@ HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;-> HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;->()V HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;->invoke()Landroidx/compose/runtime/MutableState; HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/star/petlist/PetListPresenter$present$filtersScreenNavigator$1$1; +HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filtersScreenNavigator$1$1;->(Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$isUpdateFiltersModalShowing$2; HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$isUpdateFiltersModalShowing$2;->()V HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$isUpdateFiltersModalShowing$2;->()V @@ -14869,6 +15673,7 @@ PLcom/slack/circuit/star/petlist/PetListScreen$State$Success;->getEventSink()Lko PLcom/slack/circuit/star/petlist/PetListScreen$State$Success;->isRefreshing()Z PLcom/slack/circuit/star/petlist/PetListScreen$State$Success;->isUpdateFiltersModalShowing()Z Lcom/slack/circuit/star/petlist/PetListScreenKt; +HPLcom/slack/circuit/star/petlist/PetListScreenKt;->CompositeIconButton(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HPLcom/slack/circuit/star/petlist/PetListScreenKt;->PetList(Lcom/slack/circuit/star/petlist/PetListScreen$State;Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;II)V HPLcom/slack/circuit/star/petlist/PetListScreenKt;->PetListGrid(Lkotlinx/collections/immutable/ImmutableList;ZLandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)V HPLcom/slack/circuit/star/petlist/PetListScreenKt;->PetListGridItem(Lcom/slack/circuit/star/petlist/PetListAnimal;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)V @@ -14884,10 +15689,11 @@ HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->(Lcom/sla HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$1$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V +PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3; HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->invoke(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/runtime/Composer;I)V -HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1;->(Lkotlinx/collections/immutable/ImmutableList;Lkotlin/jvm/functions/Function1;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1;->invoke(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -14900,14 +15706,12 @@ HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1$2;->invoke(L PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1$2$1$1;->(Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/star/petlist/PetListAnimal;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$2;->(Lkotlinx/collections/immutable/ImmutableList;ZLandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;II)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$pullRefreshState$1$1;->(Lkotlin/jvm/functions/Function1;)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->(Lkotlin/jvm/functions/Function0;Ljava/lang/Object;Lcom/slack/circuit/star/petlist/PetListAnimal;)V +PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->(Lkotlin/jvm/functions/Function0;Lcom/slack/circuit/star/petlist/PetListAnimal;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->invoke(Landroidx/compose/foundation/layout/ColumnScope;Landroidx/compose/runtime/Composer;I)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1;->(Lkotlin/jvm/functions/Function0;)V -PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$2$1$2;->(Lcom/slack/circuit/star/petlist/PetListAnimal;)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$2$1$2;->invoke(Landroidx/compose/runtime/Composer;I)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$2$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$3;->(Lcom/slack/circuit/star/petlist/PetListAnimal;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function0;II)V +PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1$2;->(Lcom/slack/circuit/star/petlist/PetListAnimal;)V +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1$2;->invoke(Landroidx/compose/runtime/Composer;I)V +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/repo/InjectedPetRepository; HSPLcom/slack/circuit/star/repo/InjectedPetRepository;->()V HSPLcom/slack/circuit/star/repo/InjectedPetRepository;->(Lcom/slack/circuit/star/db/SqlDriverFactory;Lcom/slack/circuit/star/data/PetfinderApi;)V @@ -15024,15 +15828,8 @@ Lcom/slack/circuitx/android/AndroidScreenAwareNavigatorKt; HSPLcom/slack/circuitx/android/AndroidScreenAwareNavigatorKt;->rememberAndroidScreenAwareNavigator(Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuitx/android/AndroidScreenStarter;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuitx/android/AndroidScreenStarter; Lcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt; -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt;->()V HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt;->GestureNavigationDecoration$default(Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Lcom/slack/circuit/backstack/NavDecoration; HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt;->GestureNavigationDecoration(Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function0;)Lcom/slack/circuit/backstack/NavDecoration; -Lcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyLeft$1; -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyLeft$1;->()V -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyLeft$1;->()V -Lcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyRight$1; -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyRight$1;->()V -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyRight$1;->()V PLcom/slack/eithernet/AnnotationsKt;->createResultType(Ljava/lang/Class;Ljava/lang/Class;[Lcom/slack/eithernet/ResultType;Z)Lcom/slack/eithernet/ResultType; PLcom/slack/eithernet/AnnotationsKt;->createResultType(Ljava/lang/reflect/Type;)Lcom/slack/eithernet/ResultType; PLcom/slack/eithernet/AnnotationsKt$annotationImpl$com_slack_eithernet_ResultType$0;->(Lkotlin/reflect/KClass;[Lcom/slack/eithernet/ResultType;Lkotlin/reflect/KClass;Z)V @@ -15108,9 +15905,9 @@ PLcom/squareup/moshi/JsonReader$Token;->()V PLcom/squareup/moshi/JsonReader$Token;->(Ljava/lang/String;I)V PLcom/squareup/moshi/JsonUtf8Reader;->()V PLcom/squareup/moshi/JsonUtf8Reader;->(Lokio/BufferedSource;)V -HPLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V -HPLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V -PLcom/squareup/moshi/JsonUtf8Reader;->endArray()V +PLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V +PLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V +HPLcom/squareup/moshi/JsonUtf8Reader;->endArray()V HPLcom/squareup/moshi/JsonUtf8Reader;->endObject()V HPLcom/squareup/moshi/JsonUtf8Reader;->findName(Ljava/lang/String;Lcom/squareup/moshi/JsonReader$Options;)I HPLcom/squareup/moshi/JsonUtf8Reader;->hasNext()Z @@ -15121,14 +15918,15 @@ PLcom/squareup/moshi/JsonUtf8Reader;->nextLong()J HPLcom/squareup/moshi/JsonUtf8Reader;->nextName()Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->nextNonWhitespace(Z)I HPLcom/squareup/moshi/JsonUtf8Reader;->nextNull()Ljava/lang/Object; +HPLcom/squareup/moshi/JsonUtf8Reader;->nextQuotedValue(Lokio/ByteString;)Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->nextString()Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->peek()Lcom/squareup/moshi/JsonReader$Token; HPLcom/squareup/moshi/JsonUtf8Reader;->peekKeyword()I -PLcom/squareup/moshi/JsonUtf8Reader;->peekNumber()I +HPLcom/squareup/moshi/JsonUtf8Reader;->peekNumber()I HPLcom/squareup/moshi/JsonUtf8Reader;->promoteNameToValue()V HPLcom/squareup/moshi/JsonUtf8Reader;->readEscapeCharacter()C HPLcom/squareup/moshi/JsonUtf8Reader;->selectName(Lcom/squareup/moshi/JsonReader$Options;)I -PLcom/squareup/moshi/JsonUtf8Reader;->skipName()V +HPLcom/squareup/moshi/JsonUtf8Reader;->skipName()V HPLcom/squareup/moshi/JsonUtf8Reader;->skipQuotedValue(Lokio/ByteString;)V HPLcom/squareup/moshi/JsonUtf8Reader;->skipValue()V PLcom/squareup/moshi/JsonUtf8Writer;->()V @@ -15137,7 +15935,7 @@ PLcom/squareup/moshi/LinkedHashTreeMap;->()V PLcom/squareup/moshi/LinkedHashTreeMap;->()V HPLcom/squareup/moshi/LinkedHashTreeMap;->(Ljava/util/Comparator;)V HPLcom/squareup/moshi/LinkedHashTreeMap;->find(Ljava/lang/Object;Z)Lcom/squareup/moshi/LinkedHashTreeMap$Node; -HPLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/squareup/moshi/LinkedHashTreeMap;->rebalance(Lcom/squareup/moshi/LinkedHashTreeMap$Node;Z)V PLcom/squareup/moshi/LinkedHashTreeMap;->secondaryHash(I)I PLcom/squareup/moshi/LinkedHashTreeMap$1;->()V @@ -15331,7 +16129,7 @@ PLio/ktor/client/HttpClientKt$HttpClient$2;->(Lio/ktor/client/engine/HttpC PLio/ktor/client/call/HttpClientCall;->()V PLio/ktor/client/call/HttpClientCall;->(Lio/ktor/client/HttpClient;)V PLio/ktor/client/call/HttpClientCall;->(Lio/ktor/client/HttpClient;Lio/ktor/client/request/HttpRequestData;Lio/ktor/client/request/HttpResponseData;)V -PLio/ktor/client/call/HttpClientCall;->bodyNullable(Lio/ktor/util/reflect/TypeInfo;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/call/HttpClientCall;->bodyNullable(Lio/ktor/util/reflect/TypeInfo;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/call/HttpClientCall;->getAllowDoubleReceive()Z PLio/ktor/client/call/HttpClientCall;->getAttributes()Lio/ktor/util/Attributes; PLio/ktor/client/call/HttpClientCall;->getRequest()Lio/ktor/client/request/HttpRequest; @@ -15462,8 +16260,8 @@ PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->create(Ljava/lang/Ob PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invoke(Lio/ktor/utils/io/WriterScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Lokio/BufferedSource;Lio/ktor/client/request/HttpRequestData;)V -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Lokio/BufferedSource;Lio/ktor/client/request/HttpRequestData;)V +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/nio/ByteBuffer;)V PLio/ktor/client/engine/okhttp/OkUtilsKt;->execute(Lokhttp3/OkHttpClient;Lokhttp3/Request;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Headers;)Lio/ktor/http/Headers; @@ -15861,6 +16659,7 @@ PLio/ktor/client/statement/HttpStatement;->cleanup(Lio/ktor/client/statement/Htt HPLio/ktor/client/statement/HttpStatement;->execute(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/statement/HttpStatement;->executeUnsafe(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$cleanup$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V +PLio/ktor/client/statement/HttpStatement$cleanup$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$execute$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/statement/HttpStatement$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$executeUnsafe$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V @@ -15878,7 +16677,7 @@ PLio/ktor/events/EventDefinition;->()V PLio/ktor/events/Events;->()V PLio/ktor/events/Events;->raise(Lio/ktor/events/EventDefinition;Ljava/lang/Object;)V PLio/ktor/http/CodecsKt;->()V -HPLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; +PLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart$default(Ljava/lang/String;IILjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart(Ljava/lang/String;IILjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLQueryComponent$default(Ljava/lang/String;IIZLjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; @@ -15908,7 +16707,6 @@ PLio/ktor/http/HeadersBuilder;->build()Lio/ktor/http/Headers; HPLio/ktor/http/HeadersBuilder;->validateName(Ljava/lang/String;)V HPLio/ktor/http/HeadersBuilder;->validateValue(Ljava/lang/String;)V PLio/ktor/http/HeadersImpl;->(Ljava/util/Map;)V -PLio/ktor/http/HeadersKt;->headers(Lkotlin/jvm/functions/Function1;)Lio/ktor/http/Headers; PLio/ktor/http/HttpHeaders;->()V PLio/ktor/http/HttpHeaders;->()V HPLio/ktor/http/HttpHeaders;->checkHeaderName(Ljava/lang/String;)V @@ -15926,7 +16724,7 @@ PLio/ktor/http/HttpHeaders;->getLastModified()Ljava/lang/String; PLio/ktor/http/HttpHeaders;->getUnsafeHeadersList()Ljava/util/List; PLio/ktor/http/HttpHeaders;->getUserAgent()Ljava/lang/String; PLio/ktor/http/HttpHeadersKt;->access$isDelimiter(C)Z -HPLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z +PLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z PLio/ktor/http/HttpMessagePropertiesKt;->contentType(Lio/ktor/http/HttpMessageBuilder;)Lio/ktor/http/ContentType; PLio/ktor/http/HttpMethod;->()V PLio/ktor/http/HttpMethod;->(Ljava/lang/String;)V @@ -15938,6 +16736,7 @@ PLio/ktor/http/HttpMethod$Companion;->()V PLio/ktor/http/HttpMethod$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/http/HttpMethod$Companion;->getGet()Lio/ktor/http/HttpMethod; PLio/ktor/http/HttpMethod$Companion;->getHead()Lio/ktor/http/HttpMethod; +PLio/ktor/http/HttpMethod$Companion;->parse(Ljava/lang/String;)Lio/ktor/http/HttpMethod; PLio/ktor/http/HttpProtocolVersion;->()V PLio/ktor/http/HttpProtocolVersion;->(Ljava/lang/String;II)V PLio/ktor/http/HttpProtocolVersion;->access$getHTTP_2_0$cp()Lio/ktor/http/HttpProtocolVersion; @@ -15999,7 +16798,6 @@ PLio/ktor/http/HttpStatusCode;->access$getUpgradeRequired$cp()Lio/ktor/http/Http PLio/ktor/http/HttpStatusCode;->access$getUseProxy$cp()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCode;->access$getVariantAlsoNegotiates$cp()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCode;->access$getVersionNotSupported$cp()Lio/ktor/http/HttpStatusCode; -PLio/ktor/http/HttpStatusCode;->equals(Ljava/lang/Object;)Z PLio/ktor/http/HttpStatusCode;->getValue()I PLio/ktor/http/HttpStatusCode$Companion;->()V PLio/ktor/http/HttpStatusCode$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16057,7 +16855,6 @@ PLio/ktor/http/HttpStatusCode$Companion;->getUseProxy()Lio/ktor/http/HttpStatusC PLio/ktor/http/HttpStatusCode$Companion;->getVariantAlsoNegotiates()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCode$Companion;->getVersionNotSupported()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCodeKt;->allStatusCodes()Ljava/util/List; -PLio/ktor/http/HttpStatusCodeKt;->isSuccess(Lio/ktor/http/HttpStatusCode;)Z PLio/ktor/http/Parameters;->()V PLio/ktor/http/Parameters$Companion;->()V PLio/ktor/http/Parameters$Companion;->()V @@ -16077,7 +16874,7 @@ PLio/ktor/http/URLBuilder;->()V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;Z)V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/http/URLBuilder;->applyOrigin()V -HPLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; +PLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; PLio/ktor/http/URLBuilder;->buildString()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedParameters()Lio/ktor/http/ParametersBuilder; @@ -16087,7 +16884,7 @@ PLio/ktor/http/URLBuilder;->getEncodedUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getHost()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getPassword()Ljava/lang/String; -HPLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; +PLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; PLio/ktor/http/URLBuilder;->getPort()I PLio/ktor/http/URLBuilder;->getProtocol()Lio/ktor/http/URLProtocol; PLio/ktor/http/URLBuilder;->getTrailingQuery()Z @@ -16095,7 +16892,7 @@ PLio/ktor/http/URLBuilder;->getUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->setEncodedFragment(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setEncodedParameters(Lio/ktor/http/ParametersBuilder;)V PLio/ktor/http/URLBuilder;->setEncodedPassword(Ljava/lang/String;)V -PLio/ktor/http/URLBuilder;->setEncodedPathSegments(Ljava/util/List;)V +HPLio/ktor/http/URLBuilder;->setEncodedPathSegments(Ljava/util/List;)V PLio/ktor/http/URLBuilder;->setEncodedUser(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setHost(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setPort(I)V @@ -16167,7 +16964,7 @@ PLio/ktor/http/content/OutgoingContent;->getContentType()Lio/ktor/http/ContentTy PLio/ktor/http/content/OutgoingContent;->getHeaders()Lio/ktor/http/Headers; PLio/ktor/http/content/OutgoingContent$NoContent;->()V PLio/ktor/util/AttributeKey;->(Ljava/lang/String;)V -PLio/ktor/util/AttributeKey;->hashCode()I +HPLio/ktor/util/AttributeKey;->hashCode()I PLio/ktor/util/Attributes$DefaultImpls;->get(Lio/ktor/util/Attributes;Lio/ktor/util/AttributeKey;)Ljava/lang/Object; PLio/ktor/util/AttributesJvmBase;->()V PLio/ktor/util/AttributesJvmBase;->get(Lio/ktor/util/AttributeKey;)Ljava/lang/Object; @@ -16211,7 +17008,7 @@ HPLio/ktor/util/CollectionsKt;->caseInsensitiveMap()Ljava/util/Map; PLio/ktor/util/ConcurrentSafeAttributes;->()V PLio/ktor/util/ConcurrentSafeAttributes;->computeIfAbsent(Lio/ktor/util/AttributeKey;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/Map; -HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; +PLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor$default(Lkotlinx/coroutines/Job;ILjava/lang/Object;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor(Lkotlinx/coroutines/Job;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt$SilentSupervisor$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;)V @@ -16220,7 +17017,7 @@ PLio/ktor/util/DelegatingMutableSet;->access$getConvertTo$p(Lio/ktor/util/Delega PLio/ktor/util/DelegatingMutableSet;->access$getDelegate$p(Lio/ktor/util/DelegatingMutableSet;)Ljava/util/Set; HPLio/ktor/util/DelegatingMutableSet;->iterator()Ljava/util/Iterator; HPLio/ktor/util/DelegatingMutableSet$iterator$1;->(Lio/ktor/util/DelegatingMutableSet;)V -HPLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z +PLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z HPLio/ktor/util/DelegatingMutableSet$iterator$1;->next()Ljava/lang/Object; HPLio/ktor/util/Entry;->(Ljava/lang/Object;Ljava/lang/Object;)V HPLio/ktor/util/Entry;->getKey()Ljava/lang/Object; @@ -16243,11 +17040,11 @@ PLio/ktor/util/PlatformUtilsJvmKt;->isNewMemoryModel(Lio/ktor/util/PlatformUtils PLio/ktor/util/StringValues$DefaultImpls;->forEach(Lio/ktor/util/StringValues;Lkotlin/jvm/functions/Function2;)V PLio/ktor/util/StringValues$DefaultImpls;->get(Lio/ktor/util/StringValues;Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->(ZI)V -HPLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V +PLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl;->appendAll(Lio/ktor/util/StringValues;)V HPLio/ktor/util/StringValuesBuilderImpl;->appendAll(Ljava/lang/String;Ljava/lang/Iterable;)V HPLio/ktor/util/StringValuesBuilderImpl;->ensureListForKey(Ljava/lang/String;)Ljava/util/List; -HPLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; +PLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->get(Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->getAll(Ljava/lang/String;)Ljava/util/List; PLio/ktor/util/StringValuesBuilderImpl;->getCaseInsensitiveName()Z @@ -16277,7 +17074,7 @@ PLio/ktor/util/date/DateJvmKt;->GMTDate$default(Ljava/lang/Long;ILjava/lang/Obje PLio/ktor/util/date/DateJvmKt;->GMTDate(Ljava/lang/Long;)Lio/ktor/util/date/GMTDate; HPLio/ktor/util/date/DateJvmKt;->toDate(Ljava/util/Calendar;Ljava/lang/Long;)Lio/ktor/util/date/GMTDate; PLio/ktor/util/date/GMTDate;->()V -PLio/ktor/util/date/GMTDate;->(IIILio/ktor/util/date/WeekDay;IILio/ktor/util/date/Month;IJ)V +HPLio/ktor/util/date/GMTDate;->(IIILio/ktor/util/date/WeekDay;IILio/ktor/util/date/Month;IJ)V PLio/ktor/util/date/GMTDate;->getTimestamp()J PLio/ktor/util/date/GMTDate$Companion;->()V PLio/ktor/util/date/GMTDate$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16363,7 +17160,7 @@ PLio/ktor/util/reflect/TypeInfo;->getType()Lkotlin/reflect/KClass; PLio/ktor/util/reflect/TypeInfoJvmKt;->instanceOf(Ljava/lang/Object;Lkotlin/reflect/KClass;)Z PLio/ktor/util/reflect/TypeInfoJvmKt;->typeInfoImpl(Ljava/lang/reflect/Type;Lkotlin/reflect/KClass;Lkotlin/reflect/KType;)Lio/ktor/util/reflect/TypeInfo; PLio/ktor/utils/io/ByteBufferChannel;->()V -PLio/ktor/utils/io/ByteBufferChannel;->(ZLio/ktor/utils/io/pool/ObjectPool;I)V +HPLio/ktor/utils/io/ByteBufferChannel;->(ZLio/ktor/utils/io/pool/ObjectPool;I)V PLio/ktor/utils/io/ByteBufferChannel;->(ZLio/ktor/utils/io/pool/ObjectPool;IILkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/utils/io/ByteBufferChannel;->access$awaitFreeSpaceOrDelegate(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->access$flushImpl(Lio/ktor/utils/io/ByteBufferChannel;I)V @@ -16395,7 +17192,7 @@ PLio/ktor/utils/io/ByteBufferChannel;->getClosedCause()Ljava/lang/Throwable; PLio/ktor/utils/io/ByteBufferChannel;->getReadOp()Lkotlin/coroutines/Continuation; HPLio/ktor/utils/io/ByteBufferChannel;->getState()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesRead()J -PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J +HPLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J HPLio/ktor/utils/io/ByteBufferChannel;->getWriteOp()Lkotlin/coroutines/Continuation; PLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z HPLio/ktor/utils/io/ByteBufferChannel;->newBuffer()Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial; @@ -16403,7 +17200,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->prepareBuffer(Ljava/nio/ByteBuffer;II)V HPLio/ktor/utils/io/ByteBufferChannel;->read$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->read(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readBlockSuspend(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspendImpl(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/ByteBufferChannel;->resolveChannelInstance$ktor_io()Lio/ktor/utils/io/ByteBufferChannel; @@ -16419,8 +17216,8 @@ HPLio/ktor/utils/io/ByteBufferChannel;->setupStateForWrite$ktor_io()Ljava/nio/By PLio/ktor/utils/io/ByteBufferChannel;->shouldResumeReadOp()Z HPLio/ktor/utils/io/ByteBufferChannel;->suspensionForSize(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->tryReleaseBuffer(Z)Z -PLio/ktor/utils/io/ByteBufferChannel;->tryTerminate$ktor_io()Z -PLio/ktor/utils/io/ByteBufferChannel;->tryWriteSuspend$ktor_io(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel;->tryTerminate$ktor_io()Z +HPLio/ktor/utils/io/ByteBufferChannel;->tryWriteSuspend$ktor_io(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->write$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->write(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->writeAvailable(ILkotlin/jvm/functions/Function1;)I @@ -16433,17 +17230,17 @@ PLio/ktor/utils/io/ByteBufferChannel$attachJob$1;->(Lio/ktor/utils/io/Byte PLio/ktor/utils/io/ByteBufferChannel$attachJob$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$attachJob$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/ByteBufferChannel$awaitFreeSpaceOrDelegate$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$awaitFreeSpaceOrDelegate$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$awaitFreeSpaceOrDelegate$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$copyDirect$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V HPLio/ktor/utils/io/ByteBufferChannel$copyDirect$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$readBlockSuspend$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$readBlockSuspend$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$readBlockSuspend$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$readSuspendImpl$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V HPLio/ktor/utils/io/ByteBufferChannel$readSuspendImpl$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$write$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$write$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$write$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$writeSuspend$3;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$writeSuspend$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$writeSuspend$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$writeSuspension$1;->(Lio/ktor/utils/io/ByteBufferChannel;)V PLio/ktor/utils/io/ByteBufferChannel$writeSuspension$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel$writeSuspension$1;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -16457,7 +17254,7 @@ PLio/ktor/utils/io/ChannelJob;->getChannel()Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/utils/io/ChannelJob;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; PLio/ktor/utils/io/ChannelScope;->(Lkotlinx/coroutines/CoroutineScope;Lio/ktor/utils/io/ByteChannel;)V PLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteChannel; -PLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteWriteChannel; +HPLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteWriteChannel; PLio/ktor/utils/io/ClosedWriteChannelException;->(Ljava/lang/String;)V PLio/ktor/utils/io/CoroutinesKt;->launchChannel(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lio/ktor/utils/io/ByteChannel;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/ChannelJob; PLio/ktor/utils/io/CoroutinesKt;->writer$default(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ZLkotlin/jvm/functions/Function2;ILjava/lang/Object;)Lio/ktor/utils/io/WriterJob; @@ -16467,7 +17264,7 @@ PLio/ktor/utils/io/CoroutinesKt$launchChannel$1;->invoke(Ljava/lang/Object;)Ljav PLio/ktor/utils/io/CoroutinesKt$launchChannel$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->(ZLio/ktor/utils/io/ByteChannel;Lkotlin/jvm/functions/Function2;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlin/coroutines/Continuation;)V PLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/bits/DefaultAllocator;->()V PLio/ktor/utils/io/bits/DefaultAllocator;->()V PLio/ktor/utils/io/bits/Memory;->()V @@ -16536,14 +17333,18 @@ PLio/ktor/utils/io/core/internal/UnsafeKt;->()V PLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V +PLio/ktor/utils/io/internal/CancellableReusableContinuation;->access$notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Throwable;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->completeSuspendBlock(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLio/ktor/utils/io/internal/CancellableReusableContinuation;->notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->parent(Lkotlin/coroutines/CoroutineContext;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->resumeWith(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lkotlinx/coroutines/Job;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->dispose()V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->getJob()Lkotlinx/coroutines/Job; +PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->()V PLio/ktor/utils/io/internal/ClosedElement;->(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->access$getEmptyCause$cp()Lio/ktor/utils/io/internal/ClosedElement; @@ -16580,19 +17381,24 @@ PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWritingState$ktor_ PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->getReadBuffer()Ljava/nio/ByteBuffer; +PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; +PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getReadBuffer()Ljava/nio/ByteBuffer; +PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; +PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; +PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Terminated;->()V PLio/ktor/utils/io/internal/ReadWriteBufferState$Terminated;->()V PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V -PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->getWriteBuffer()Ljava/nio/ByteBuffer; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->()V PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->getEmptyByteBuffer()Ljava/nio/ByteBuffer; @@ -16602,19 +17408,19 @@ PLio/ktor/utils/io/internal/RingBufferCapacity;->(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeRead(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeWrite(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->flush()Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z PLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->resetForWrite()V -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtLeast(I)I -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtMost(I)I +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtLeast(I)I +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtMost(I)I PLio/ktor/utils/io/internal/UtilsKt;->getIOIntProperty(Ljava/lang/String;I)I -PLio/ktor/utils/io/internal/WriteSessionImpl;->(Lio/ktor/utils/io/ByteBufferChannel;)V +HPLio/ktor/utils/io/internal/WriteSessionImpl;->(Lio/ktor/utils/io/ByteBufferChannel;)V PLio/ktor/utils/io/jvm/nio/WritingKt;->copyTo$default(Lio/ktor/utils/io/ByteReadChannel;Ljava/nio/channels/WritableByteChannel;JLkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/jvm/nio/WritingKt;->copyTo(Lio/ktor/utils/io/ByteReadChannel;Ljava/nio/channels/WritableByteChannel;JLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$1;->(Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->(JLkotlin/jvm/internal/Ref$LongRef;Ljava/nio/channels/WritableByteChannel;)V PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/nio/ByteBuffer;)V @@ -16622,10 +17428,10 @@ PLio/ktor/utils/io/pool/DefaultPool;->()V PLio/ktor/utils/io/pool/DefaultPool;->(I)V PLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; PLio/ktor/utils/io/pool/DefaultPool;->clearInstance(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/utils/io/pool/DefaultPool;->popTop()I +HPLio/ktor/utils/io/pool/DefaultPool;->popTop()I HPLio/ktor/utils/io/pool/DefaultPool;->pushTop(I)V -PLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V -PLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; +HPLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V +HPLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->tryPush(Ljava/lang/Object;)Z PLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V Lio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0; @@ -16656,10 +17462,10 @@ HSPLkotlin/LazyThreadSafetyMode;->(Ljava/lang/String;I)V HSPLkotlin/LazyThreadSafetyMode;->values()[Lkotlin/LazyThreadSafetyMode; Lkotlin/Pair; HPLkotlin/Pair;->(Ljava/lang/Object;Ljava/lang/Object;)V -HPLkotlin/Pair;->component1()Ljava/lang/Object; -HPLkotlin/Pair;->component2()Ljava/lang/Object; -HPLkotlin/Pair;->getFirst()Ljava/lang/Object; -HSPLkotlin/Pair;->getSecond()Ljava/lang/Object; +HSPLkotlin/Pair;->component1()Ljava/lang/Object; +HSPLkotlin/Pair;->component2()Ljava/lang/Object; +HSPLkotlin/Pair;->getFirst()Ljava/lang/Object; +HPLkotlin/Pair;->getSecond()Ljava/lang/Object; Lkotlin/Result; HSPLkotlin/Result;->()V HPLkotlin/Result;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; @@ -16683,7 +17489,7 @@ HPLkotlin/TuplesKt;->to(Ljava/lang/Object;Ljava/lang/Object;)Lkotlin/Pair; Lkotlin/ULong; HSPLkotlin/ULong;->()V HPLkotlin/ULong;->constructor-impl(J)J -HSPLkotlin/ULong;->equals-impl0(JJ)Z +HPLkotlin/ULong;->equals-impl0(JJ)Z Lkotlin/ULong$Companion; HSPLkotlin/ULong$Companion;->()V HSPLkotlin/ULong$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16695,9 +17501,8 @@ HSPLkotlin/Unit;->()V HSPLkotlin/Unit;->()V Lkotlin/UnsafeLazyImpl; HPLkotlin/UnsafeLazyImpl;->(Lkotlin/jvm/functions/Function0;)V -HPLkotlin/UnsafeLazyImpl;->getValue()Ljava/lang/Object; Lkotlin/UnsignedKt; -HPLkotlin/UnsignedKt;->ulongToDouble(J)D +HSPLkotlin/UnsignedKt;->ulongToDouble(J)D Lkotlin/collections/AbstractCollection; HPLkotlin/collections/AbstractCollection;->()V HSPLkotlin/collections/AbstractCollection;->isEmpty()Z @@ -16781,22 +17586,25 @@ HSPLkotlin/collections/ArrayDeque$Companion;->()V HSPLkotlin/collections/ArrayDeque$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlin/collections/ArraysKt; Lkotlin/collections/ArraysKt__ArraysJVMKt; -PLkotlin/collections/ArraysKt__ArraysJVMKt;->copyOfRangeToIndexCheck(II)V +HSPLkotlin/collections/ArraysKt__ArraysJVMKt;->copyOfRangeToIndexCheck(II)V Lkotlin/collections/ArraysKt__ArraysKt; Lkotlin/collections/ArraysKt___ArraysJvmKt; HPLkotlin/collections/ArraysKt___ArraysJvmKt;->asList([Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([B[BIIIILjava/lang/Object;)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([F[FIIIILjava/lang/Object;)[F -HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([I[IIIIILjava/lang/Object;)[I +HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([I[IIIIILjava/lang/Object;)[I HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([Ljava/lang/Object;[Ljava/lang/Object;IIIILjava/lang/Object;)[Ljava/lang/Object; HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([B[BIII)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([F[FIII)[F HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([I[IIII)[I HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([Ljava/lang/Object;[Ljava/lang/Object;III)[Ljava/lang/Object; -PLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B +HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([Ljava/lang/Object;II)[Ljava/lang/Object; HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([IIIIILjava/lang/Object;)V +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([JJIIILjava/lang/Object;)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([IIII)V +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([JJII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([Ljava/lang/Object;Ljava/lang/Object;II)V PLkotlin/collections/ArraysKt___ArraysJvmKt;->plus([Ljava/lang/Object;Ljava/lang/Object;)[Ljava/lang/Object; PLkotlin/collections/ArraysKt___ArraysJvmKt;->sortWith([Ljava/lang/Object;Ljava/util/Comparator;)V @@ -16808,7 +17616,7 @@ PLkotlin/collections/ArraysKt___ArraysKt;->filterNotNullTo([Ljava/lang/Object;Lj PLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([I)I HPLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([Ljava/lang/Object;)I PLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([II)Ljava/lang/Integer; -PLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([Ljava/lang/Object;I)Ljava/lang/Object; +HPLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([Ljava/lang/Object;I)Ljava/lang/Object; PLkotlin/collections/ArraysKt___ArraysKt;->indexOf([II)I HSPLkotlin/collections/ArraysKt___ArraysKt;->indexOf([Ljava/lang/Object;Ljava/lang/Object;)I HPLkotlin/collections/ArraysKt___ArraysKt;->maxOrThrow([I)I @@ -16847,7 +17655,7 @@ Lkotlin/collections/CollectionsKt__IteratorsJVMKt; Lkotlin/collections/CollectionsKt__IteratorsKt; Lkotlin/collections/CollectionsKt__MutableCollectionsJVMKt; HSPLkotlin/collections/CollectionsKt__MutableCollectionsJVMKt;->sort(Ljava/util/List;)V -HSPLkotlin/collections/CollectionsKt__MutableCollectionsJVMKt;->sortWith(Ljava/util/List;Ljava/util/Comparator;)V +HPLkotlin/collections/CollectionsKt__MutableCollectionsJVMKt;->sortWith(Ljava/util/List;Ljava/util/Comparator;)V Lkotlin/collections/CollectionsKt__MutableCollectionsKt; HPLkotlin/collections/CollectionsKt__MutableCollectionsKt;->addAll(Ljava/util/Collection;Ljava/lang/Iterable;)Z HSPLkotlin/collections/CollectionsKt__MutableCollectionsKt;->addAll(Ljava/util/Collection;Lkotlin/sequences/Sequence;)Z @@ -16858,7 +17666,8 @@ Lkotlin/collections/CollectionsKt___CollectionsKt; PLkotlin/collections/CollectionsKt___CollectionsKt;->contains(Ljava/lang/Iterable;Ljava/lang/Object;)Z HPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/lang/Iterable;)Ljava/lang/Object; HSPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/util/List;)Ljava/lang/Object; -HSPLkotlin/collections/CollectionsKt___CollectionsKt;->firstOrNull(Ljava/util/List;)Ljava/lang/Object; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->firstOrNull(Ljava/util/List;)Ljava/lang/Object; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->getOrNull(Ljava/util/List;I)Ljava/lang/Object; PLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/lang/Iterable;Ljava/lang/Object;)I HSPLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/util/List;Ljava/lang/Object;)I PLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo$default(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/Appendable; @@ -16866,9 +17675,11 @@ HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo(Ljava/lang/Iterable HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString$default(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/String; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;)Ljava/lang/String; HPLkotlin/collections/CollectionsKt___CollectionsKt;->last(Ljava/util/List;)Ljava/lang/Object; +HSPLkotlin/collections/CollectionsKt___CollectionsKt;->lastOrNull(Ljava/util/List;)Ljava/lang/Object; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->minus(Ljava/lang/Iterable;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/lang/Iterable;Ljava/lang/Iterable;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Iterable;)Ljava/util/List; -PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Object;)Ljava/util/List; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->reversed(Ljava/lang/Iterable;)Ljava/util/List; HPLkotlin/collections/CollectionsKt___CollectionsKt;->singleOrNull(Ljava/util/List;)Ljava/lang/Object; PLkotlin/collections/CollectionsKt___CollectionsKt;->sortedDescending(Ljava/lang/Iterable;)Ljava/util/List; @@ -16885,34 +17696,36 @@ HSPLkotlin/collections/EmptyIterator;->hasNext()Z Lkotlin/collections/EmptyList; HSPLkotlin/collections/EmptyList;->()V HSPLkotlin/collections/EmptyList;->()V +HSPLkotlin/collections/EmptyList;->contains(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyList;->getSize()I HSPLkotlin/collections/EmptyList;->isEmpty()Z PLkotlin/collections/EmptyList;->iterator()Ljava/util/Iterator; HPLkotlin/collections/EmptyList;->size()I -PLkotlin/collections/EmptyList;->toArray()[Ljava/lang/Object; +HSPLkotlin/collections/EmptyList;->toArray()[Ljava/lang/Object; Lkotlin/collections/EmptyMap; HSPLkotlin/collections/EmptyMap;->()V HSPLkotlin/collections/EmptyMap;->()V HSPLkotlin/collections/EmptyMap;->containsKey(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyMap;->entrySet()Ljava/util/Set; PLkotlin/collections/EmptyMap;->equals(Ljava/lang/Object;)Z -HSPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HSPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Void; +HPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Void; HSPLkotlin/collections/EmptyMap;->getEntries()Ljava/util/Set; HSPLkotlin/collections/EmptyMap;->getKeys()Ljava/util/Set; HSPLkotlin/collections/EmptyMap;->getSize()I HSPLkotlin/collections/EmptyMap;->hashCode()I -HSPLkotlin/collections/EmptyMap;->isEmpty()Z +HPLkotlin/collections/EmptyMap;->isEmpty()Z HSPLkotlin/collections/EmptyMap;->keySet()Ljava/util/Set; -HSPLkotlin/collections/EmptyMap;->size()I +HPLkotlin/collections/EmptyMap;->size()I Lkotlin/collections/EmptySet; HSPLkotlin/collections/EmptySet;->()V HSPLkotlin/collections/EmptySet;->()V +PLkotlin/collections/EmptySet;->contains(Ljava/lang/Object;)Z PLkotlin/collections/EmptySet;->equals(Ljava/lang/Object;)Z PLkotlin/collections/EmptySet;->getSize()I PLkotlin/collections/EmptySet;->hashCode()I PLkotlin/collections/EmptySet;->isEmpty()Z -HSPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; +HPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; PLkotlin/collections/EmptySet;->size()I Lkotlin/collections/IntIterator; HPLkotlin/collections/IntIterator;->()V @@ -16922,6 +17735,7 @@ Lkotlin/collections/MapsKt__MapWithDefaultKt; HSPLkotlin/collections/MapsKt__MapWithDefaultKt;->getOrImplicitDefaultNullable(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/collections/MapsKt__MapsJVMKt; HSPLkotlin/collections/MapsKt__MapsJVMKt;->build(Ljava/util/Map;)Ljava/util/Map; +HSPLkotlin/collections/MapsKt__MapsJVMKt;->createMapBuilder()Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsJVMKt;->createMapBuilder(I)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsJVMKt;->mapCapacity(I)I PLkotlin/collections/MapsKt__MapsJVMKt;->mapOf(Lkotlin/Pair;)Ljava/util/Map; @@ -16929,14 +17743,14 @@ PLkotlin/collections/MapsKt__MapsJVMKt;->toSingletonMap(Ljava/util/Map;)Ljava/ut Lkotlin/collections/MapsKt__MapsKt; HPLkotlin/collections/MapsKt__MapsKt;->emptyMap()Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->getValue(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlin/collections/MapsKt__MapsKt;->mapOf([Lkotlin/Pair;)Ljava/util/Map; +HSPLkotlin/collections/MapsKt__MapsKt;->mapOf([Lkotlin/Pair;)Ljava/util/Map; PLkotlin/collections/MapsKt__MapsKt;->plus(Ljava/util/Map;Ljava/util/Map;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;Ljava/lang/Iterable;)V -HPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;[Lkotlin/Pair;)V +HSPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;[Lkotlin/Pair;)V HSPLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/lang/Iterable;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/lang/Iterable;Ljava/util/Map;)Ljava/util/Map; -PLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/util/Map;)Ljava/util/Map; -HPLkotlin/collections/MapsKt__MapsKt;->toMap([Lkotlin/Pair;Ljava/util/Map;)Ljava/util/Map; +HPLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/util/Map;)Ljava/util/Map; +HSPLkotlin/collections/MapsKt__MapsKt;->toMap([Lkotlin/Pair;Ljava/util/Map;)Ljava/util/Map; HPLkotlin/collections/MapsKt__MapsKt;->toMutableMap(Ljava/util/Map;)Ljava/util/Map; Lkotlin/collections/MapsKt___MapsJvmKt; Lkotlin/collections/MapsKt___MapsKt; @@ -16965,12 +17779,15 @@ HSPLkotlin/collections/builders/ListBuilder;->checkForComodification()V HSPLkotlin/collections/builders/ListBuilder;->checkIsMutable()V HSPLkotlin/collections/builders/ListBuilder;->ensureCapacityInternal(I)V HSPLkotlin/collections/builders/ListBuilder;->ensureExtraCapacity(I)V +HSPLkotlin/collections/builders/ListBuilder;->get(I)Ljava/lang/Object; HSPLkotlin/collections/builders/ListBuilder;->getSize()I HPLkotlin/collections/builders/ListBuilder;->insertAtInternal(II)V HSPLkotlin/collections/builders/ListBuilder;->isEffectivelyReadOnly()Z +HSPLkotlin/collections/builders/ListBuilder;->isEmpty()Z HSPLkotlin/collections/builders/ListBuilder;->iterator()Ljava/util/Iterator; HSPLkotlin/collections/builders/ListBuilder;->listIterator(I)Ljava/util/ListIterator; HSPLkotlin/collections/builders/ListBuilder;->registerModification()V +HSPLkotlin/collections/builders/ListBuilder;->toArray()[Ljava/lang/Object; Lkotlin/collections/builders/ListBuilder$Companion; HSPLkotlin/collections/builders/ListBuilder$Companion;->()V HSPLkotlin/collections/builders/ListBuilder$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16984,6 +17801,7 @@ HSPLkotlin/collections/builders/ListBuilderKt;->arrayOfUninitializedElements(I)[ HSPLkotlin/collections/builders/ListBuilderKt;->copyOfUninitializedElements([Ljava/lang/Object;I)[Ljava/lang/Object; Lkotlin/collections/builders/MapBuilder; HSPLkotlin/collections/builders/MapBuilder;->()V +HSPLkotlin/collections/builders/MapBuilder;->()V HSPLkotlin/collections/builders/MapBuilder;->(I)V HSPLkotlin/collections/builders/MapBuilder;->([Ljava/lang/Object;[Ljava/lang/Object;[I[III)V HSPLkotlin/collections/builders/MapBuilder;->access$getKeysArray$p(Lkotlin/collections/builders/MapBuilder;)[Ljava/lang/Object; @@ -16991,7 +17809,7 @@ HSPLkotlin/collections/builders/MapBuilder;->access$getLength$p(Lkotlin/collecti HSPLkotlin/collections/builders/MapBuilder;->access$getModCount$p(Lkotlin/collections/builders/MapBuilder;)I HSPLkotlin/collections/builders/MapBuilder;->access$getPresenceArray$p(Lkotlin/collections/builders/MapBuilder;)[I HSPLkotlin/collections/builders/MapBuilder;->access$getValuesArray$p(Lkotlin/collections/builders/MapBuilder;)[Ljava/lang/Object; -HSPLkotlin/collections/builders/MapBuilder;->addKey$kotlin_stdlib(Ljava/lang/Object;)I +HPLkotlin/collections/builders/MapBuilder;->addKey$kotlin_stdlib(Ljava/lang/Object;)I HSPLkotlin/collections/builders/MapBuilder;->allocateValuesArray()[Ljava/lang/Object; HSPLkotlin/collections/builders/MapBuilder;->build()Ljava/util/Map; HSPLkotlin/collections/builders/MapBuilder;->checkIsMutable$kotlin_stdlib()V @@ -17015,7 +17833,7 @@ HSPLkotlin/collections/builders/MapBuilder$Companion;->computeShift(I)I Lkotlin/collections/builders/MapBuilder$EntriesItr; HSPLkotlin/collections/builders/MapBuilder$EntriesItr;->(Lkotlin/collections/builders/MapBuilder;)V HSPLkotlin/collections/builders/MapBuilder$EntriesItr;->next()Ljava/lang/Object; -HSPLkotlin/collections/builders/MapBuilder$EntriesItr;->next()Lkotlin/collections/builders/MapBuilder$EntryRef; +HPLkotlin/collections/builders/MapBuilder$EntriesItr;->next()Lkotlin/collections/builders/MapBuilder$EntryRef; Lkotlin/collections/builders/MapBuilder$EntryRef; HSPLkotlin/collections/builders/MapBuilder$EntryRef;->(Lkotlin/collections/builders/MapBuilder;I)V HSPLkotlin/collections/builders/MapBuilder$EntryRef;->getKey()Ljava/lang/Object; @@ -17051,7 +17869,7 @@ PLkotlin/comparisons/ReverseOrderComparator;->compare(Ljava/lang/Object;Ljava/la Lkotlin/coroutines/AbstractCoroutineContextElement; HSPLkotlin/coroutines/AbstractCoroutineContextElement;->(Lkotlin/coroutines/CoroutineContext$Key;)V HPLkotlin/coroutines/AbstractCoroutineContextElement;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; -HSPLkotlin/coroutines/AbstractCoroutineContextElement;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; +HPLkotlin/coroutines/AbstractCoroutineContextElement;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLkotlin/coroutines/AbstractCoroutineContextElement;->getKey()Lkotlin/coroutines/CoroutineContext$Key; HSPLkotlin/coroutines/AbstractCoroutineContextElement;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HSPLkotlin/coroutines/AbstractCoroutineContextElement;->plus(Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; @@ -17122,6 +17940,7 @@ Lkotlin/coroutines/jvm/internal/ContinuationImpl; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/CoroutineContext;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->getContext()Lkotlin/coroutines/CoroutineContext; +HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->intercepted()Lkotlin/coroutines/Continuation; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->releaseIntercepted()V Lkotlin/coroutines/jvm/internal/CoroutineStackFrame; Lkotlin/coroutines/jvm/internal/DebugProbesKt; @@ -17165,7 +17984,7 @@ HSPLkotlin/internal/jdk8/JDK8PlatformImplementations$ReflectSdkVersion;->()V PLkotlin/io/CloseableKt;->closeFinally(Ljava/io/Closeable;Ljava/lang/Throwable;)V Lkotlin/jvm/JvmClassMappingKt; -HSPLkotlin/jvm/JvmClassMappingKt;->getJavaClass(Lkotlin/reflect/KClass;)Ljava/lang/Class; +PLkotlin/jvm/JvmClassMappingKt;->getJavaClass(Lkotlin/reflect/KClass;)Ljava/lang/Class; HPLkotlin/jvm/JvmClassMappingKt;->getJavaObjectType(Lkotlin/reflect/KClass;)Ljava/lang/Class; PLkotlin/jvm/JvmClassMappingKt;->getKotlinClass(Ljava/lang/Class;)Lkotlin/reflect/KClass; Lkotlin/jvm/functions/Function0; @@ -17192,8 +18011,7 @@ Lkotlin/jvm/functions/Function7; Lkotlin/jvm/functions/Function8; Lkotlin/jvm/functions/Function9; Lkotlin/jvm/internal/AdaptedFunctionReference; -HPLkotlin/jvm/internal/AdaptedFunctionReference;->(ILjava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -HSPLkotlin/jvm/internal/AdaptedFunctionReference;->equals(Ljava/lang/Object;)Z +HSPLkotlin/jvm/internal/AdaptedFunctionReference;->(ILjava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V PLkotlin/jvm/internal/ArrayIterator;->([Ljava/lang/Object;)V PLkotlin/jvm/internal/ArrayIterator;->hasNext()Z PLkotlin/jvm/internal/ArrayIterator;->next()Ljava/lang/Object; @@ -17209,9 +18027,9 @@ HSPLkotlin/jvm/internal/CallableReference$NoReceiver;->access$000()Lkotlin/jvm/i Lkotlin/jvm/internal/ClassBasedDeclarationContainer; Lkotlin/jvm/internal/ClassReference; HSPLkotlin/jvm/internal/ClassReference;->()V -HSPLkotlin/jvm/internal/ClassReference;->(Ljava/lang/Class;)V +HPLkotlin/jvm/internal/ClassReference;->(Ljava/lang/Class;)V PLkotlin/jvm/internal/ClassReference;->access$getFUNCTION_CLASSES$cp()Ljava/util/Map; -PLkotlin/jvm/internal/ClassReference;->equals(Ljava/lang/Object;)Z +HPLkotlin/jvm/internal/ClassReference;->equals(Ljava/lang/Object;)Z HSPLkotlin/jvm/internal/ClassReference;->getJClass()Ljava/lang/Class; HSPLkotlin/jvm/internal/ClassReference;->hashCode()I HPLkotlin/jvm/internal/ClassReference;->isInstance(Ljava/lang/Object;)Z @@ -17222,7 +18040,7 @@ HSPLkotlin/jvm/internal/ClassReference$Companion;->(Lkotlin/jvm/internal/D HPLkotlin/jvm/internal/ClassReference$Companion;->isInstance(Ljava/lang/Object;Ljava/lang/Class;)Z Lkotlin/jvm/internal/CollectionToArray; HSPLkotlin/jvm/internal/CollectionToArray;->()V -PLkotlin/jvm/internal/CollectionToArray;->toArray(Ljava/util/Collection;)[Ljava/lang/Object; +HSPLkotlin/jvm/internal/CollectionToArray;->toArray(Ljava/util/Collection;)[Ljava/lang/Object; HSPLkotlin/jvm/internal/CollectionToArray;->toArray(Ljava/util/Collection;[Ljava/lang/Object;)[Ljava/lang/Object; Lkotlin/jvm/internal/FloatCompanionObject; HSPLkotlin/jvm/internal/FloatCompanionObject;->()V @@ -17252,10 +18070,14 @@ HPLkotlin/jvm/internal/Intrinsics;->compare(II)I Lkotlin/jvm/internal/Lambda; HPLkotlin/jvm/internal/Lambda;->(I)V HPLkotlin/jvm/internal/Lambda;->getArity()I -PLkotlin/jvm/internal/MutablePropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -PLkotlin/jvm/internal/MutablePropertyReference1;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -PLkotlin/jvm/internal/MutablePropertyReference1Impl;->(Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -PLkotlin/jvm/internal/PropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/MutablePropertyReference; +HSPLkotlin/jvm/internal/MutablePropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/MutablePropertyReference1; +HSPLkotlin/jvm/internal/MutablePropertyReference1;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/MutablePropertyReference1Impl; +HSPLkotlin/jvm/internal/MutablePropertyReference1Impl;->(Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/PropertyReference; +HSPLkotlin/jvm/internal/PropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V PLkotlin/jvm/internal/PropertyReference;->equals(Ljava/lang/Object;)Z PLkotlin/jvm/internal/PropertyReference0;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V PLkotlin/jvm/internal/PropertyReference0;->invoke()Ljava/lang/Object; @@ -17272,10 +18094,12 @@ HPLkotlin/jvm/internal/Ref$ObjectRef;->()V Lkotlin/jvm/internal/Reflection; HSPLkotlin/jvm/internal/Reflection;->()V HSPLkotlin/jvm/internal/Reflection;->getOrCreateKotlinClass(Ljava/lang/Class;)Lkotlin/reflect/KClass; +HSPLkotlin/jvm/internal/Reflection;->mutableProperty1(Lkotlin/jvm/internal/MutablePropertyReference1;)Lkotlin/reflect/KMutableProperty1; PLkotlin/jvm/internal/Reflection;->typeOf(Ljava/lang/Class;)Lkotlin/reflect/KType; Lkotlin/jvm/internal/ReflectionFactory; HSPLkotlin/jvm/internal/ReflectionFactory;->()V HSPLkotlin/jvm/internal/ReflectionFactory;->getOrCreateKotlinClass(Ljava/lang/Class;)Lkotlin/reflect/KClass; +HSPLkotlin/jvm/internal/ReflectionFactory;->mutableProperty1(Lkotlin/jvm/internal/MutablePropertyReference1;)Lkotlin/reflect/KMutableProperty1; PLkotlin/jvm/internal/ReflectionFactory;->typeOf(Lkotlin/reflect/KClassifier;Ljava/util/List;Z)Lkotlin/reflect/KType; Lkotlin/jvm/internal/SpreadBuilder; HSPLkotlin/jvm/internal/SpreadBuilder;->(I)V @@ -17291,7 +18115,7 @@ PLkotlin/jvm/internal/TypeIntrinsics;->asMutableList(Ljava/lang/Object;)Ljava/ut HSPLkotlin/jvm/internal/TypeIntrinsics;->asMutableMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->asMutableSet(Ljava/lang/Object;)Ljava/util/Set; HPLkotlin/jvm/internal/TypeIntrinsics;->beforeCheckcastToFunctionOfArity(Ljava/lang/Object;I)Ljava/lang/Object; -PLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljava/util/Collection; +HPLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljava/util/Collection; PLkotlin/jvm/internal/TypeIntrinsics;->castToList(Ljava/lang/Object;)Ljava/util/List; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToSet(Ljava/lang/Object;)Ljava/util/Set; @@ -17386,7 +18210,7 @@ PLkotlin/ranges/LongProgression$Companion;->()V PLkotlin/ranges/LongProgression$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLkotlin/ranges/LongRange;->()V PLkotlin/ranges/LongRange;->(JJ)V -PLkotlin/ranges/LongRange;->contains(J)Z +HPLkotlin/ranges/LongRange;->contains(J)Z PLkotlin/ranges/LongRange$Companion;->()V PLkotlin/ranges/LongRange$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlin/ranges/OpenEndRange; @@ -17394,9 +18218,11 @@ Lkotlin/ranges/RangesKt; Lkotlin/ranges/RangesKt__RangesKt; PLkotlin/ranges/RangesKt__RangesKt;->checkStepIsPositive(ZLjava/lang/Number;)V Lkotlin/ranges/RangesKt___RangesKt; -HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(II)I +HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(FF)F +HPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(II)I HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(JJ)J PLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(DD)D +HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(FF)F HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(II)I HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(DDD)D HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(FFF)F @@ -17411,6 +18237,10 @@ Lkotlin/reflect/KClass; Lkotlin/reflect/KClassifier; Lkotlin/reflect/KDeclarationContainer; Lkotlin/reflect/KFunction; +Lkotlin/reflect/KMutableProperty; +Lkotlin/reflect/KMutableProperty1; +Lkotlin/reflect/KProperty; +Lkotlin/reflect/KProperty1; PLkotlin/reflect/TypesJVMKt;->computeJavaType$default(Lkotlin/reflect/KType;ZILjava/lang/Object;)Ljava/lang/reflect/Type; PLkotlin/reflect/TypesJVMKt;->computeJavaType(Lkotlin/reflect/KType;Z)Ljava/lang/reflect/Type; PLkotlin/reflect/TypesJVMKt;->getJavaType(Lkotlin/reflect/KType;)Ljava/lang/reflect/Type; @@ -17426,7 +18256,7 @@ HPLkotlin/sequences/FilteringSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/FilteringSequence$iterator$1; HPLkotlin/sequences/FilteringSequence$iterator$1;->(Lkotlin/sequences/FilteringSequence;)V HPLkotlin/sequences/FilteringSequence$iterator$1;->calcNext()V -HSPLkotlin/sequences/FilteringSequence$iterator$1;->hasNext()Z +HPLkotlin/sequences/FilteringSequence$iterator$1;->hasNext()Z HPLkotlin/sequences/FilteringSequence$iterator$1;->next()Ljava/lang/Object; Lkotlin/sequences/GeneratorSequence; HPLkotlin/sequences/GeneratorSequence;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function1;)V @@ -17452,7 +18282,7 @@ Lkotlin/sequences/SequencesKt__SequenceBuilderKt; HPLkotlin/sequences/SequencesKt__SequenceBuilderKt;->iterator(Lkotlin/jvm/functions/Function2;)Ljava/util/Iterator; HPLkotlin/sequences/SequencesKt__SequenceBuilderKt;->sequence(Lkotlin/jvm/functions/Function2;)Lkotlin/sequences/Sequence; PLkotlin/sequences/SequencesKt__SequenceBuilderKt$sequence$$inlined$Sequence$1;->(Lkotlin/jvm/functions/Function2;)V -HPLkotlin/sequences/SequencesKt__SequenceBuilderKt$sequence$$inlined$Sequence$1;->iterator()Ljava/util/Iterator; +PLkotlin/sequences/SequencesKt__SequenceBuilderKt$sequence$$inlined$Sequence$1;->iterator()Ljava/util/Iterator; Lkotlin/sequences/SequencesKt__SequencesJVMKt; Lkotlin/sequences/SequencesKt__SequencesKt; HSPLkotlin/sequences/SequencesKt__SequencesKt;->asSequence(Ljava/util/Iterator;)Lkotlin/sequences/Sequence; @@ -17471,6 +18301,7 @@ HPLkotlin/sequences/SequencesKt___SequencesKt;->filterNotNull(Lkotlin/sequences/ HPLkotlin/sequences/SequencesKt___SequencesKt;->firstOrNull(Lkotlin/sequences/Sequence;)Ljava/lang/Object; HSPLkotlin/sequences/SequencesKt___SequencesKt;->map(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)Lkotlin/sequences/Sequence; HPLkotlin/sequences/SequencesKt___SequencesKt;->mapNotNull(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)Lkotlin/sequences/Sequence; +PLkotlin/sequences/SequencesKt___SequencesKt;->toList(Lkotlin/sequences/Sequence;)Ljava/util/List; Lkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1; HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V @@ -17514,7 +18345,7 @@ HSPLkotlin/text/Regex;->()V HSPLkotlin/text/Regex;->(Ljava/lang/String;)V HSPLkotlin/text/Regex;->(Ljava/util/regex/Pattern;)V PLkotlin/text/Regex;->find(Ljava/lang/CharSequence;I)Lkotlin/text/MatchResult; -PLkotlin/text/Regex;->matches(Ljava/lang/CharSequence;)Z +HPLkotlin/text/Regex;->matches(Ljava/lang/CharSequence;)Z PLkotlin/text/Regex;->replace(Ljava/lang/CharSequence;Ljava/lang/String;)Ljava/lang/String; Lkotlin/text/Regex$Companion; HSPLkotlin/text/Regex$Companion;->()V @@ -17558,7 +18389,7 @@ HPLkotlin/text/StringsKt__StringsKt;->contains(Ljava/lang/CharSequence;Ljava/lan PLkotlin/text/StringsKt__StringsKt;->endsWith$default(Ljava/lang/CharSequence;Ljava/lang/CharSequence;ZILjava/lang/Object;)Z PLkotlin/text/StringsKt__StringsKt;->endsWith(Ljava/lang/CharSequence;Ljava/lang/CharSequence;Z)Z HPLkotlin/text/StringsKt__StringsKt;->getIndices(Ljava/lang/CharSequence;)Lkotlin/ranges/IntRange; -HSPLkotlin/text/StringsKt__StringsKt;->getLastIndex(Ljava/lang/CharSequence;)I +HPLkotlin/text/StringsKt__StringsKt;->getLastIndex(Ljava/lang/CharSequence;)I HPLkotlin/text/StringsKt__StringsKt;->indexOf$default(Ljava/lang/CharSequence;CIZILjava/lang/Object;)I HSPLkotlin/text/StringsKt__StringsKt;->indexOf$default(Ljava/lang/CharSequence;Ljava/lang/String;IZILjava/lang/Object;)I HPLkotlin/text/StringsKt__StringsKt;->indexOf(Ljava/lang/CharSequence;CIZ)I @@ -17584,14 +18415,15 @@ PLkotlin/text/StringsKt__StringsKt;->substringBefore(Ljava/lang/String;CLjava/la HPLkotlin/text/StringsKt__StringsKt;->trim(Ljava/lang/CharSequence;)Ljava/lang/CharSequence; Lkotlin/text/StringsKt___StringsJvmKt; Lkotlin/text/StringsKt___StringsKt; +HPLkotlin/text/StringsKt___StringsKt;->last(Ljava/lang/CharSequence;)C PLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; PLkotlin/time/Duration;->()V PLkotlin/time/Duration;->constructor-impl(J)J PLkotlin/time/Duration;->getInWholeDays-impl(J)J -PLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J +HPLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J PLkotlin/time/Duration;->getInWholeSeconds-impl(J)J PLkotlin/time/Duration;->getNanosecondsComponent-impl(J)I -PLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; +HPLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; PLkotlin/time/Duration;->getValue-impl(J)J PLkotlin/time/Duration;->isInMillis-impl(J)Z PLkotlin/time/Duration;->isInNanos-impl(J)Z @@ -17615,11 +18447,11 @@ PLkotlin/time/DurationUnit;->(Ljava/lang/String;ILjava/util/concurrent/Tim PLkotlin/time/DurationUnit;->getTimeUnit$kotlin_stdlib()Ljava/util/concurrent/TimeUnit; HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnit(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnitOverflow(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J -PLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J +HPLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/LongSaturatedMathKt;->saturatingFiniteDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/MonotonicTimeSource;->()V PLkotlin/time/MonotonicTimeSource;->()V -PLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J +HPLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J PLkotlin/time/MonotonicTimeSource;->markNow-z9LOYto()J PLkotlin/time/MonotonicTimeSource;->read()J PLkotlin/time/TimeSource$Monotonic;->()V @@ -17658,9 +18490,7 @@ Lkotlinx/collections/immutable/PersistentSet; Lkotlinx/collections/immutable/PersistentSet$Builder; Lkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator; HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->(II)V -PLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->checkHasNext$kotlinx_collections_immutable()V -HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getIndex()I -PLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getSize()I +HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getIndex()I HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->hasNext()Z HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->setIndex(I)V Lkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList; @@ -17673,9 +18503,8 @@ HPLkotlinx/collections/immutable/implementations/immutableList/BufferIterator;-> PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->([Ljava/lang/Object;[Ljava/lang/Object;II)V HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->bufferFor(I)[Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->get(I)Ljava/lang/Object; -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->listIterator(I)Ljava/util/ListIterator; -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I +HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I +HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I Lkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->(Lkotlinx/collections/immutable/PersistentList;[Ljava/lang/Object;[Ljava/lang/Object;I)V HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->add(Ljava/lang/Object;)Z @@ -17691,8 +18520,6 @@ PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBu PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->rootSize()I HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->tailSize()I HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->tailSize(I)I -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorIterator;->([Ljava/lang/Object;[Ljava/lang/Object;III)V -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorIterator;->next()Ljava/lang/Object; Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->()V HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V @@ -17706,13 +18533,7 @@ Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVect HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->()V HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->getEMPTY()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->([Ljava/lang/Object;III)V -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->elementAtCurrentIndex()Ljava/lang/Object; -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->fillPath(II)V -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->fillPathIfNeeded(I)V -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->next()Ljava/lang/Object; Lkotlinx/collections/immutable/implementations/immutableList/UtilsKt; -PLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->indexSegment(II)I HPLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->persistentVectorOf()Lkotlinx/collections/immutable/PersistentList; PLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->rootSize(I)I Lkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -17743,12 +18564,12 @@ HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$kotlinx_collections_immutable(I)I HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; +HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableUpdateValueAtIndex(ILjava/lang/Object;Lkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -18064,7 +18885,7 @@ Lkotlinx/coroutines/EventLoop; HSPLkotlinx/coroutines/EventLoop;->()V PLkotlinx/coroutines/EventLoop;->decrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V HPLkotlinx/coroutines/EventLoop;->decrementUseCount(Z)V -HPLkotlinx/coroutines/EventLoop;->delta(Z)J +HSPLkotlinx/coroutines/EventLoop;->delta(Z)J HPLkotlinx/coroutines/EventLoop;->dispatchUnconfined(Lkotlinx/coroutines/DispatchedTask;)V PLkotlinx/coroutines/EventLoop;->getNextTime()J HSPLkotlinx/coroutines/EventLoop;->incrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V @@ -18111,15 +18932,6 @@ HSPLkotlinx/coroutines/GlobalScope;->()V HSPLkotlinx/coroutines/GlobalScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/InactiveNodeList; Lkotlinx/coroutines/Incomplete; -PLkotlinx/coroutines/InterruptibleKt;->access$runInterruptibleInExpectedContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt;->runInterruptible$default(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt;->runInterruptible(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt;->runInterruptibleInExpectedContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->(Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/InvokeOnCancel; HPLkotlinx/coroutines/InvokeOnCancel;->(Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/InvokeOnCancel;->invoke(Ljava/lang/Throwable;)V @@ -18167,7 +18979,7 @@ HPLkotlinx/coroutines/JobKt__JobKt;->Job(Lkotlinx/coroutines/Job;)Lkotlinx/corou HPLkotlinx/coroutines/JobKt__JobKt;->ensureActive(Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/JobKt__JobKt;->ensureActive(Lkotlinx/coroutines/Job;)V HPLkotlinx/coroutines/JobKt__JobKt;->getJob(Lkotlin/coroutines/CoroutineContext;)Lkotlinx/coroutines/Job; -PLkotlinx/coroutines/JobKt__JobKt;->isActive(Lkotlin/coroutines/CoroutineContext;)Z +HPLkotlinx/coroutines/JobKt__JobKt;->isActive(Lkotlin/coroutines/CoroutineContext;)Z Lkotlinx/coroutines/JobNode; HPLkotlinx/coroutines/JobNode;->()V HPLkotlinx/coroutines/JobNode;->dispose()V @@ -18267,7 +19079,7 @@ PLkotlinx/coroutines/JobSupport$Finishing;->isSealed()Z HPLkotlinx/coroutines/JobSupport$Finishing;->sealLocked(Ljava/lang/Throwable;)Ljava/util/List; HPLkotlinx/coroutines/JobSupport$Finishing;->setCompleting(Z)V HPLkotlinx/coroutines/JobSupport$Finishing;->setExceptionsHolder(Ljava/lang/Object;)V -HPLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V +PLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V Lkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1; HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/JobSupport;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->prepare(Ljava/lang/Object;)Ljava/lang/Object; @@ -18296,6 +19108,7 @@ Lkotlinx/coroutines/ParentJob; PLkotlinx/coroutines/ResumeAwaitOnCompletion;->(Lkotlinx/coroutines/CancellableContinuationImpl;)V HPLkotlinx/coroutines/ResumeAwaitOnCompletion;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/ResumeOnCompletion;->(Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/ResumeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/StandaloneCoroutine; HPLkotlinx/coroutines/StandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Z)V Lkotlinx/coroutines/SupervisorJobImpl; @@ -18310,11 +19123,6 @@ HSPLkotlinx/coroutines/ThreadLocalEventLoop;->()V HSPLkotlinx/coroutines/ThreadLocalEventLoop;->()V HPLkotlinx/coroutines/ThreadLocalEventLoop;->getEventLoop$kotlinx_coroutines_core()Lkotlinx/coroutines/EventLoop; PLkotlinx/coroutines/ThreadLocalEventLoop;->resetEventLoop$kotlinx_coroutines_core()V -PLkotlinx/coroutines/ThreadState;->()V -PLkotlinx/coroutines/ThreadState;->(Lkotlinx/coroutines/Job;)V -PLkotlinx/coroutines/ThreadState;->clearInterrupt()V -PLkotlinx/coroutines/ThreadState;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; -PLkotlinx/coroutines/ThreadState;->setup()V Lkotlinx/coroutines/Unconfined; HSPLkotlinx/coroutines/Unconfined;->()V HSPLkotlinx/coroutines/Unconfined;->()V @@ -18357,7 +19165,7 @@ Lkotlinx/coroutines/channels/BufferedChannel; HSPLkotlinx/coroutines/channels/BufferedChannel;->()V HPLkotlinx/coroutines/channels/BufferedChannel;->(ILkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/channels/BufferedChannel;->access$findSegmentReceive(Lkotlinx/coroutines/channels/BufferedChannel;JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HSPLkotlinx/coroutines/channels/BufferedChannel;->access$findSegmentSend(Lkotlinx/coroutines/channels/BufferedChannel;JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannel;->access$findSegmentSend(Lkotlinx/coroutines/channels/BufferedChannel;JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->access$getReceiveSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->access$getReceivers$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->access$getSendSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; @@ -18376,11 +19184,10 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->closeOrCancelImpl(Ljava/lang/Th PLkotlinx/coroutines/channels/BufferedChannel;->completeCancel(J)V PLkotlinx/coroutines/channels/BufferedChannel;->completeClose(J)Lkotlinx/coroutines/channels/ChannelSegment; PLkotlinx/coroutines/channels/BufferedChannel;->completeCloseOrCancel()V -HPLkotlinx/coroutines/channels/BufferedChannel;->dropFirstElementUntilTheSpecifiedCellIsInTheBuffer(J)V +HSPLkotlinx/coroutines/channels/BufferedChannel;->dropFirstElementUntilTheSpecifiedCellIsInTheBuffer(J)V HPLkotlinx/coroutines/channels/BufferedChannel;->expandBuffer()V -HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentBufferEnd(JLkotlinx/coroutines/channels/ChannelSegment;J)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEnd$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndCounter()J HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; @@ -18389,7 +19196,7 @@ PLkotlinx/coroutines/channels/BufferedChannel;->getCloseHandler$volatile$FU()Lja HPLkotlinx/coroutines/channels/BufferedChannel;->getCompletedExpandBuffersAndPauseFlag$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getReceiveSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getReceivers$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; -HPLkotlinx/coroutines/channels/BufferedChannel;->getReceiversCounter$kotlinx_coroutines_core()J +HSPLkotlinx/coroutines/channels/BufferedChannel;->getReceiversCounter$kotlinx_coroutines_core()J HPLkotlinx/coroutines/channels/BufferedChannel;->getSendSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getSendersAndCloseStatus$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getSendersCounter$kotlinx_coroutines_core()J @@ -18397,7 +19204,7 @@ PLkotlinx/coroutines/channels/BufferedChannel;->get_closeCause$volatile$FU()Ljav HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts$default(Lkotlinx/coroutines/channels/BufferedChannel;JILjava/lang/Object;)V HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts(J)V PLkotlinx/coroutines/channels/BufferedChannel;->invokeCloseHandler()V -HPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z +HSPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive0(J)Z PLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend()Z @@ -18414,7 +19221,7 @@ HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveDequeued()V HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveEnqueued()V HPLkotlinx/coroutines/channels/BufferedChannel;->prepareReceiverForSuspension(Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V HPLkotlinx/coroutines/channels/BufferedChannel;->receive$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLkotlinx/coroutines/channels/BufferedChannel;->receive(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/BufferedChannel;->receive(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->receiveOnNoWaiterSuspend(Lkotlinx/coroutines/channels/ChannelSegment;IJLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/channels/BufferedChannel;->removeUnprocessedElements(Lkotlinx/coroutines/channels/ChannelSegment;)V PLkotlinx/coroutines/channels/BufferedChannel;->resumeReceiverOnClosedChannel(Lkotlinx/coroutines/Waiter;)V @@ -18425,8 +19232,8 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->shouldSendSuspend(J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->tryReceive-PtdJZtk()Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->tryResumeReceiver(Ljava/lang/Object;Ljava/lang/Object;)Z HPLkotlinx/coroutines/channels/BufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBuffer(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z -HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBufferSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z +HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBuffer(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z +HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBufferSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellReceive(Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellSend(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I PLkotlinx/coroutines/channels/BufferedChannel;->updateCellSendSlow(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I @@ -18443,12 +19250,12 @@ HPLkotlinx/coroutines/channels/BufferedChannel$BufferedChannelIterator;->tryResu Lkotlinx/coroutines/channels/BufferedChannelKt; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->()V PLkotlinx/coroutines/channels/BufferedChannelKt;->access$constructSendersAndCloseStatus(JI)J -HSPLkotlinx/coroutines/channels/BufferedChannelKt;->access$createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt;->access$createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getCLOSE_HANDLER_CLOSED$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getDONE_RCV$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getEXPAND_BUFFER_COMPLETION_WAIT_ITERATIONS$p()I HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getFAILED$p()Lkotlinx/coroutines/internal/Symbol; -HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getINTERRUPTED_RCV$p()Lkotlinx/coroutines/internal/Symbol; +PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getINTERRUPTED_RCV$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getINTERRUPTED_SEND$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getIN_BUFFER$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNO_CLOSE_CAUSE$p()Lkotlinx/coroutines/internal/Symbol; @@ -18461,16 +19268,15 @@ HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getSUSPEND_NO_WAITER$p HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$initialBufferEnd(I)J HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$tryResume0(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Z PLkotlinx/coroutines/channels/BufferedChannelKt;->constructSendersAndCloseStatus(JI)J -HPLkotlinx/coroutines/channels/BufferedChannelKt;->createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannelKt;->createSegmentFunction()Lkotlin/reflect/KFunction; +PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegmentFunction()Lkotlin/reflect/KFunction; HPLkotlinx/coroutines/channels/BufferedChannelKt;->getCHANNEL_CLOSED()Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->initialBufferEnd(I)J HPLkotlinx/coroutines/channels/BufferedChannelKt;->tryResume0(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Z -Lkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1; -HSPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V -HSPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V -HSPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/channels/Channel; HSPLkotlinx/coroutines/channels/Channel;->()V Lkotlinx/coroutines/channels/Channel$Factory; @@ -18491,8 +19297,8 @@ HPLkotlinx/coroutines/channels/ChannelKt;->Channel(ILkotlinx/coroutines/channels Lkotlinx/coroutines/channels/ChannelResult; HSPLkotlinx/coroutines/channels/ChannelResult;->()V HPLkotlinx/coroutines/channels/ChannelResult;->access$getFailed$cp()Lkotlinx/coroutines/channels/ChannelResult$Failed; -HPLkotlinx/coroutines/channels/ChannelResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/channels/ChannelResult;->isSuccess-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/channels/ChannelResult$Companion; HSPLkotlinx/coroutines/channels/ChannelResult$Companion;->()V @@ -18512,7 +19318,7 @@ HPLkotlinx/coroutines/channels/ChannelSegment;->getNumberOfSlots()I HPLkotlinx/coroutines/channels/ChannelSegment;->getState$kotlinx_coroutines_core(I)Ljava/lang/Object; HPLkotlinx/coroutines/channels/ChannelSegment;->onCancellation(ILjava/lang/Throwable;Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/channels/ChannelSegment;->onCancelledRequest(IZ)V -HPLkotlinx/coroutines/channels/ChannelSegment;->retrieveElement$kotlinx_coroutines_core(I)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelSegment;->retrieveElement$kotlinx_coroutines_core(I)Ljava/lang/Object; HPLkotlinx/coroutines/channels/ChannelSegment;->setElementLazy(ILjava/lang/Object;)V HPLkotlinx/coroutines/channels/ChannelSegment;->setState$kotlinx_coroutines_core(ILjava/lang/Object;)V HPLkotlinx/coroutines/channels/ChannelSegment;->storeElement$kotlinx_coroutines_core(ILjava/lang/Object;)V @@ -18521,7 +19327,8 @@ PLkotlinx/coroutines/channels/ChannelsKt__Channels_commonKt;->cancelConsumed(Lko Lkotlinx/coroutines/channels/ConflatedBufferedChannel; HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->(ILkotlinx/coroutines/channels/BufferOverflow;Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/channels/ConflatedBufferedChannel;->isConflatedDropOldest()Z -HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySendDropOldest-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySendImpl-Mj0NB7M(Ljava/lang/Object;Z)Ljava/lang/Object; Lkotlinx/coroutines/channels/ProduceKt; HSPLkotlinx/coroutines/channels/ProduceKt;->produce$default(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;Lkotlinx/coroutines/CoroutineStart;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;ILjava/lang/Object;)Lkotlinx/coroutines/channels/ReceiveChannel; @@ -18743,7 +19550,7 @@ PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invokeSuspend(Ljava Lkotlinx/coroutines/flow/StateFlow; Lkotlinx/coroutines/flow/StateFlowImpl; HSPLkotlinx/coroutines/flow/StateFlowImpl;->()V -HSPLkotlinx/coroutines/flow/StateFlowImpl;->(Ljava/lang/Object;)V +HPLkotlinx/coroutines/flow/StateFlowImpl;->(Ljava/lang/Object;)V HPLkotlinx/coroutines/flow/StateFlowImpl;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/StateFlowImpl;->compareAndSet(Ljava/lang/Object;Ljava/lang/Object;)Z HSPLkotlinx/coroutines/flow/StateFlowImpl;->createSlot()Lkotlinx/coroutines/flow/StateFlowSlot; @@ -18780,7 +19587,7 @@ Lkotlinx/coroutines/flow/internal/AbortFlowException; PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Lkotlinx/coroutines/flow/FlowCollector;)V HPLkotlinx/coroutines/flow/internal/AbortFlowException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/AbstractSharedFlow; -HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V +HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getNCollectors(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)I PLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getSlots(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)[Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->allocateSlot()Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; @@ -18906,15 +19713,15 @@ HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->findSegmentInternal(Lkot Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)V -HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; +HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->cleanPrev()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNext()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNextOrClosed()Ljava/lang/Object; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getPrev()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; -HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; +HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_prev$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->markAsClosed()Z -HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->trySetNext(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Z +PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->trySetNext(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Z Lkotlinx/coroutines/internal/ContextScope; HPLkotlinx/coroutines/internal/ContextScope;->(Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/internal/ContextScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -18952,7 +19759,7 @@ PLkotlinx/coroutines/internal/InlineList;->plus-FjFbRPM(Ljava/lang/Object;Ljava/ Lkotlinx/coroutines/internal/LimitedDispatcher; HSPLkotlinx/coroutines/internal/LimitedDispatcher;->()V HSPLkotlinx/coroutines/internal/LimitedDispatcher;->(Lkotlinx/coroutines/CoroutineDispatcher;I)V -PLkotlinx/coroutines/internal/LimitedDispatcher;->access$obtainTaskOrDeallocateWorker(Lkotlinx/coroutines/internal/LimitedDispatcher;)Ljava/lang/Runnable; +HPLkotlinx/coroutines/internal/LimitedDispatcher;->access$obtainTaskOrDeallocateWorker(Lkotlinx/coroutines/internal/LimitedDispatcher;)Ljava/lang/Runnable; HPLkotlinx/coroutines/internal/LimitedDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V HPLkotlinx/coroutines/internal/LimitedDispatcher;->getRunningWorkers$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/internal/LimitedDispatcher;->obtainTaskOrDeallocateWorker()Ljava/lang/Runnable; @@ -18971,7 +19778,6 @@ HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->()V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->addOneIfEmpty(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Z -HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->correctPrev(Lkotlinx/coroutines/internal/OpDescriptor;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; PLkotlinx/coroutines/internal/LockFreeLinkedListNode;->findPrevNonRemoved(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->getNext()Ljava/lang/Object; @@ -19008,7 +19814,7 @@ Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->updateHead(JI)J -HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->updateTail(JI)J +HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->updateTail(JI)J HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->wo(JJ)J Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Placeholder; Lkotlinx/coroutines/internal/MainDispatcherFactory; @@ -19035,15 +19841,14 @@ PLkotlinx/coroutines/internal/ScopeCoroutine;->isScopedCoroutine()Z Lkotlinx/coroutines/internal/Segment; HSPLkotlinx/coroutines/internal/Segment;->()V HPLkotlinx/coroutines/internal/Segment;->(JLkotlinx/coroutines/internal/Segment;I)V -HPLkotlinx/coroutines/internal/Segment;->decPointers$kotlinx_coroutines_core()Z +PLkotlinx/coroutines/internal/Segment;->decPointers$kotlinx_coroutines_core()Z HPLkotlinx/coroutines/internal/Segment;->getCleanedAndPointers$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; -HPLkotlinx/coroutines/internal/Segment;->isRemoved()Z +PLkotlinx/coroutines/internal/Segment;->isRemoved()Z HPLkotlinx/coroutines/internal/Segment;->onSlotCleaned()V -HPLkotlinx/coroutines/internal/Segment;->tryIncPointers$kotlinx_coroutines_core()Z -Lkotlinx/coroutines/internal/SegmentOrClosed; -HSPLkotlinx/coroutines/internal/SegmentOrClosed;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; -HPLkotlinx/coroutines/internal/SegmentOrClosed;->isClosed-impl(Ljava/lang/Object;)Z +PLkotlinx/coroutines/internal/Segment;->tryIncPointers$kotlinx_coroutines_core()Z +PLkotlinx/coroutines/internal/SegmentOrClosed;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; +PLkotlinx/coroutines/internal/SegmentOrClosed;->isClosed-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/internal/Symbol;->(Ljava/lang/String;)V Lkotlinx/coroutines/internal/SystemPropsKt; @@ -19104,7 +19909,7 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->getParkedWorkersStack$vola HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->get_isTerminated$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->isTerminated()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackNextIndex(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)I -HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPush(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Z PLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackTopUpdate(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;II)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->runSafely(Lkotlinx/coroutines/scheduling/Task;)V @@ -19126,24 +19931,23 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->afterTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->beforeTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->executeTask(Lkotlinx/coroutines/scheduling/Task;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->findAnyTask(Z)Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->findBlockingTask()Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->findTask(Z)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getIndexInArray()I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getNextParkedWorker()Ljava/lang/Object; -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getWorkerCtl$volatile$FU$kotlinx_coroutines_core()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getWorkerCtl$volatile$FU$kotlinx_coroutines_core()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->idleReset(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->inStack()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->nextInt(I)I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->park()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->pollGlobalQueues()Lkotlinx/coroutines/scheduling/Task; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->run()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setNextParkedWorker(Ljava/lang/Object;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryAcquireCpuPermit()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryPark()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryReleaseCpu(Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;)Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->trySteal(I)Lkotlinx/coroutines/scheduling/Task; -PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->$values()[Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->()V @@ -19161,7 +19965,7 @@ HSPLkotlinx/coroutines/scheduling/GlobalQueue;->()V Lkotlinx/coroutines/scheduling/NanoTimeSource; HSPLkotlinx/coroutines/scheduling/NanoTimeSource;->()V HSPLkotlinx/coroutines/scheduling/NanoTimeSource;->()V -HSPLkotlinx/coroutines/scheduling/NanoTimeSource;->nanoTime()J +HPLkotlinx/coroutines/scheduling/NanoTimeSource;->nanoTime()J Lkotlinx/coroutines/scheduling/SchedulerCoroutineDispatcher; HSPLkotlinx/coroutines/scheduling/SchedulerCoroutineDispatcher;->(IIJLjava/lang/String;)V HSPLkotlinx/coroutines/scheduling/SchedulerCoroutineDispatcher;->createScheduler()Lkotlinx/coroutines/scheduling/CoroutineScheduler; @@ -19198,7 +20002,10 @@ HPLkotlinx/coroutines/scheduling/WorkQueue;->getConsumerIndex$volatile$FU()Ljava HPLkotlinx/coroutines/scheduling/WorkQueue;->getLastScheduledTask$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/scheduling/WorkQueue;->getProducerIndex$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/WorkQueue;->poll()Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->pollBlocking()Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->pollBuffer()Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->pollWithExclusiveMode(Z)Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->stealWithExclusiveMode(I)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->trySteal(ILkotlin/jvm/internal/Ref$ObjectRef;)J HPLkotlinx/coroutines/scheduling/WorkQueue;->tryStealLastScheduled(ILkotlin/jvm/internal/Ref$ObjectRef;)J Lkotlinx/coroutines/selects/SelectInstance; @@ -19208,13 +20015,21 @@ PLkotlinx/coroutines/sync/Mutex$DefaultImpls;->unlock$default(Lkotlinx/coroutine Lkotlinx/coroutines/sync/MutexImpl; HSPLkotlinx/coroutines/sync/MutexImpl;->()V HPLkotlinx/coroutines/sync/MutexImpl;->(Z)V +PLkotlinx/coroutines/sync/MutexImpl;->access$getOwner$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/sync/MutexImpl;->getOwner$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/sync/MutexImpl;->isLocked()Z PLkotlinx/coroutines/sync/MutexImpl;->lock$suspendImpl(Lkotlinx/coroutines/sync/MutexImpl;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->lock(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/MutexImpl;->lockSuspend(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->tryLock(Ljava/lang/Object;)Z PLkotlinx/coroutines/sync/MutexImpl;->tryLockImpl(Ljava/lang/Object;)I -PLkotlinx/coroutines/sync/MutexImpl;->unlock(Ljava/lang/Object;)V +HPLkotlinx/coroutines/sync/MutexImpl;->unlock(Ljava/lang/Object;)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/CancellableContinuationImpl;Ljava/lang/Object;)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->completeResume(Ljava/lang/Object;)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +HPLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner$tryResume$token$1;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;)V Lkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1; HPLkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1;->(Lkotlinx/coroutines/sync/MutexImpl;)V Lkotlinx/coroutines/sync/MutexKt; @@ -19229,8 +20044,9 @@ HPLkotlinx/coroutines/sync/SemaphoreImpl;->(II)V PLkotlinx/coroutines/sync/SemaphoreImpl;->access$addAcquireToQueue(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire$suspendImpl(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlinx/coroutines/CancellableContinuation;)V PLkotlinx/coroutines/sync/SemaphoreImpl;->acquireSlowPath(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/sync/SemaphoreImpl;->addAcquireToQueue(Lkotlinx/coroutines/Waiter;)Z +HPLkotlinx/coroutines/sync/SemaphoreImpl;->addAcquireToQueue(Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->decPermits()I PLkotlinx/coroutines/sync/SemaphoreImpl;->getAvailablePermits()I PLkotlinx/coroutines/sync/SemaphoreImpl;->getDeqIdx$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; @@ -19241,7 +20057,7 @@ PLkotlinx/coroutines/sync/SemaphoreImpl;->get_availablePermits$volatile$FU()Ljav PLkotlinx/coroutines/sync/SemaphoreImpl;->release()V PLkotlinx/coroutines/sync/SemaphoreImpl;->tryAcquire()Z PLkotlinx/coroutines/sync/SemaphoreImpl;->tryResumeAcquire(Ljava/lang/Object;)Z -PLkotlinx/coroutines/sync/SemaphoreImpl;->tryResumeNextFromQueue()Z +HPLkotlinx/coroutines/sync/SemaphoreImpl;->tryResumeNextFromQueue()Z PLkotlinx/coroutines/sync/SemaphoreImpl$addAcquireToQueue$createNewSegment$1;->()V PLkotlinx/coroutines/sync/SemaphoreImpl$addAcquireToQueue$createNewSegment$1;->()V Lkotlinx/coroutines/sync/SemaphoreImpl$onCancellationRelease$1; @@ -19292,8 +20108,38 @@ PLokhttp3/Authenticator;->()V PLokhttp3/Authenticator$Companion;->()V PLokhttp3/Authenticator$Companion;->()V PLokhttp3/Authenticator$Companion$AuthenticatorNone;->()V +PLokhttp3/Cache;->()V +PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;)V +PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;Lokhttp3/internal/concurrent/TaskRunner;)V +PLokhttp3/Cache;->get$okhttp(Lokhttp3/Request;)Lokhttp3/Response; +PLokhttp3/Cache;->getWriteSuccessCount$okhttp()I +PLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; +PLokhttp3/Cache;->remove$okhttp(Lokhttp3/Request;)V +PLokhttp3/Cache;->setWriteSuccessCount$okhttp(I)V +PLokhttp3/Cache;->trackResponse$okhttp(Lokhttp3/internal/cache/CacheStrategy;)V +PLokhttp3/Cache$Companion;->()V +PLokhttp3/Cache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/Cache$Companion;->hasVaryAll(Lokhttp3/Response;)Z +PLokhttp3/Cache$Companion;->key(Lokhttp3/HttpUrl;)Ljava/lang/String; +PLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; +PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Headers;Lokhttp3/Headers;)Lokhttp3/Headers; +PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Response;)Lokhttp3/Headers; +PLokhttp3/Cache$Entry;->()V +PLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V +PLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V +HPLokhttp3/Cache$Entry;->writeTo(Lokhttp3/internal/cache/DiskLruCache$Editor;)V +PLokhttp3/Cache$Entry$Companion;->()V +PLokhttp3/Cache$Entry$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/Cache$RealCacheRequest;->(Lokhttp3/Cache;Lokhttp3/internal/cache/DiskLruCache$Editor;)V +PLokhttp3/Cache$RealCacheRequest;->access$getEditor$p(Lokhttp3/Cache$RealCacheRequest;)Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/Cache$RealCacheRequest;->body()Lokio/Sink; +PLokhttp3/Cache$RealCacheRequest;->getDone()Z +PLokhttp3/Cache$RealCacheRequest;->setDone(Z)V +PLokhttp3/Cache$RealCacheRequest$1;->(Lokhttp3/Cache;Lokhttp3/Cache$RealCacheRequest;Lokio/Sink;)V +PLokhttp3/Cache$RealCacheRequest$1;->close()V PLokhttp3/CacheControl;->()V -PLokhttp3/CacheControl;->(ZZIIZZZIIZZZLjava/lang/String;)V +HPLokhttp3/CacheControl;->(ZZIIZZZIIZZZLjava/lang/String;)V +PLokhttp3/CacheControl;->noStore()Z PLokhttp3/CacheControl;->onlyIfCached()Z PLokhttp3/CacheControl$Builder;->()V PLokhttp3/CacheControl$Builder;->build()Lokhttp3/CacheControl; @@ -19321,6 +20167,7 @@ PLokhttp3/CertificatePinner;->(Ljava/util/Set;Lokhttp3/internal/tls/Certif PLokhttp3/CertificatePinner;->check$okhttp(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V PLokhttp3/CertificatePinner;->equals(Ljava/lang/Object;)Z PLokhttp3/CertificatePinner;->findMatchingPins(Ljava/lang/String;)Ljava/util/List; +PLokhttp3/CertificatePinner;->getCertificateChainCleaner$okhttp()Lokhttp3/internal/tls/CertificateChainCleaner; PLokhttp3/CertificatePinner;->hashCode()I PLokhttp3/CertificatePinner;->withCertificateChainCleaner$okhttp(Lokhttp3/internal/tls/CertificateChainCleaner;)Lokhttp3/CertificatePinner; PLokhttp3/CertificatePinner$Builder;->()V @@ -19402,6 +20249,7 @@ PLokhttp3/Dns$Companion$DnsSystem;->()V PLokhttp3/Dns$Companion$DnsSystem;->lookup(Ljava/lang/String;)Ljava/util/List; PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->()V +PLokhttp3/EventListener;->cacheMiss(Lokhttp3/Call;)V PLokhttp3/EventListener;->callEnd(Lokhttp3/Call;)V PLokhttp3/EventListener;->callFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->callStart(Lokhttp3/Call;)V @@ -19445,17 +20293,22 @@ PLokhttp3/Handshake;->()V PLokhttp3/Handshake;->(Lokhttp3/TlsVersion;Lokhttp3/CipherSuite;Ljava/util/List;Lkotlin/jvm/functions/Function0;)V PLokhttp3/Handshake;->cipherSuite()Lokhttp3/CipherSuite; PLokhttp3/Handshake;->localCertificates()Ljava/util/List; +PLokhttp3/Handshake;->peerCertificates()Ljava/util/List; PLokhttp3/Handshake;->tlsVersion()Lokhttp3/TlsVersion; PLokhttp3/Handshake$Companion;->()V PLokhttp3/Handshake$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/Handshake$Companion;->get(Ljavax/net/ssl/SSLSession;)Lokhttp3/Handshake; PLokhttp3/Handshake$Companion;->toImmutableList([Ljava/security/cert/Certificate;)Ljava/util/List; PLokhttp3/Handshake$Companion$handshake$1;->(Ljava/util/List;)V +PLokhttp3/Handshake$Companion$handshake$1;->invoke()Ljava/lang/Object; +PLokhttp3/Handshake$Companion$handshake$1;->invoke()Ljava/util/List; PLokhttp3/Handshake$peerCertificates$2;->(Lkotlin/jvm/functions/Function0;)V +PLokhttp3/Handshake$peerCertificates$2;->invoke()Ljava/lang/Object; +PLokhttp3/Handshake$peerCertificates$2;->invoke()Ljava/util/List; Lokhttp3/Headers; HSPLokhttp3/Headers;->()V HPLokhttp3/Headers;->([Ljava/lang/String;)V -PLokhttp3/Headers;->get(Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/Headers;->get(Ljava/lang/String;)Ljava/lang/String; PLokhttp3/Headers;->getNamesAndValues$okhttp()[Ljava/lang/String; PLokhttp3/Headers;->name(I)Ljava/lang/String; PLokhttp3/Headers;->newBuilder()Lokhttp3/Headers$Builder; @@ -19466,7 +20319,7 @@ HPLokhttp3/Headers$Builder;->()V PLokhttp3/Headers$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/Headers$Builder;->addLenient$okhttp(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; PLokhttp3/Headers$Builder;->build()Lokhttp3/Headers; -PLokhttp3/Headers$Builder;->getNamesAndValues$okhttp()Ljava/util/List; +HPLokhttp3/Headers$Builder;->getNamesAndValues$okhttp()Ljava/util/List; PLokhttp3/Headers$Builder;->removeAll(Ljava/lang/String;)Lokhttp3/Headers$Builder; PLokhttp3/Headers$Builder;->set(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; Lokhttp3/Headers$Companion; @@ -19585,6 +20438,7 @@ PLokhttp3/OkHttpClient$Builder;->()V PLokhttp3/OkHttpClient$Builder;->(Lokhttp3/OkHttpClient;)V PLokhttp3/OkHttpClient$Builder;->addInterceptor(Lokhttp3/Interceptor;)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->build()Lokhttp3/OkHttpClient; +PLokhttp3/OkHttpClient$Builder;->cache(Lokhttp3/Cache;)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->dispatcher(Lokhttp3/Dispatcher;)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->followRedirects(Z)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->followSslRedirects(Z)Lokhttp3/OkHttpClient$Builder; @@ -19644,7 +20498,7 @@ PLokhttp3/Request;->method()Ljava/lang/String; PLokhttp3/Request;->newBuilder()Lokhttp3/Request$Builder; PLokhttp3/Request;->url()Lokhttp3/HttpUrl; PLokhttp3/Request$Builder;->()V -PLokhttp3/Request$Builder;->(Lokhttp3/Request;)V +HPLokhttp3/Request$Builder;->(Lokhttp3/Request;)V PLokhttp3/Request$Builder;->addHeader(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; PLokhttp3/Request$Builder;->build()Lokhttp3/Request; PLokhttp3/Request$Builder;->getBody$okhttp()Lokhttp3/RequestBody; @@ -19675,9 +20529,11 @@ HSPLokhttp3/RequestBody$Companion;->create([BLokhttp3/MediaType;II)Lokhttp3/Requ HPLokhttp3/Response;->(Lokhttp3/Request;Lokhttp3/Protocol;Ljava/lang/String;ILokhttp3/Handshake;Lokhttp3/Headers;Lokhttp3/ResponseBody;Lokhttp3/Response;Lokhttp3/Response;Lokhttp3/Response;JJLokhttp3/internal/connection/Exchange;Lkotlin/jvm/functions/Function0;)V PLokhttp3/Response;->access$getTrailersFn$p(Lokhttp3/Response;)Lkotlin/jvm/functions/Function0; PLokhttp3/Response;->body()Lokhttp3/ResponseBody; +PLokhttp3/Response;->cacheControl()Lokhttp3/CacheControl; PLokhttp3/Response;->cacheResponse()Lokhttp3/Response; PLokhttp3/Response;->code()I PLokhttp3/Response;->exchange()Lokhttp3/internal/connection/Exchange; +PLokhttp3/Response;->getLazyCacheControl$okhttp()Lokhttp3/CacheControl; PLokhttp3/Response;->handshake()Lokhttp3/Handshake; PLokhttp3/Response;->header$default(Lokhttp3/Response;Ljava/lang/String;Ljava/lang/String;ILjava/lang/Object;)Ljava/lang/String; PLokhttp3/Response;->header(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; @@ -19691,6 +20547,7 @@ PLokhttp3/Response;->protocol()Lokhttp3/Protocol; PLokhttp3/Response;->receivedResponseAtMillis()J PLokhttp3/Response;->request()Lokhttp3/Request; PLokhttp3/Response;->sentRequestAtMillis()J +PLokhttp3/Response;->setLazyCacheControl$okhttp(Lokhttp3/CacheControl;)V PLokhttp3/Response$Builder;->()V HPLokhttp3/Response$Builder;->(Lokhttp3/Response;)V PLokhttp3/Response$Builder;->body(Lokhttp3/ResponseBody;)Lokhttp3/Response$Builder; @@ -19803,14 +20660,15 @@ PLokhttp3/internal/_CacheControlCommonKt;->commonForceNetwork(Lokhttp3/CacheCont PLokhttp3/internal/_CacheControlCommonKt;->commonMaxStale(Lokhttp3/CacheControl$Builder;ILkotlin/time/DurationUnit;)Lokhttp3/CacheControl$Builder; PLokhttp3/internal/_CacheControlCommonKt;->commonNoCache(Lokhttp3/CacheControl$Builder;)Lokhttp3/CacheControl$Builder; PLokhttp3/internal/_CacheControlCommonKt;->commonOnlyIfCached(Lokhttp3/CacheControl$Builder;)Lokhttp3/CacheControl$Builder; -PLokhttp3/internal/_CacheControlCommonKt;->commonParse(Lokhttp3/CacheControl$Companion;Lokhttp3/Headers;)Lokhttp3/CacheControl; +HPLokhttp3/internal/_CacheControlCommonKt;->commonParse(Lokhttp3/CacheControl$Companion;Lokhttp3/Headers;)Lokhttp3/CacheControl; +PLokhttp3/internal/_CacheControlCommonKt;->indexOfElement(Ljava/lang/String;Ljava/lang/String;I)I Lokhttp3/internal/_HeadersCommonKt; HPLokhttp3/internal/_HeadersCommonKt;->commonAdd(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/internal/_HeadersCommonKt;->commonAddLenient(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/internal/_HeadersCommonKt;->commonBuild(Lokhttp3/Headers$Builder;)Lokhttp3/Headers; HPLokhttp3/internal/_HeadersCommonKt;->commonHeadersGet([Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; HSPLokhttp3/internal/_HeadersCommonKt;->commonHeadersOf([Ljava/lang/String;)Lokhttp3/Headers; -PLokhttp3/internal/_HeadersCommonKt;->commonName(Lokhttp3/Headers;I)Ljava/lang/String; +HPLokhttp3/internal/_HeadersCommonKt;->commonName(Lokhttp3/Headers;I)Ljava/lang/String; HPLokhttp3/internal/_HeadersCommonKt;->commonNewBuilder(Lokhttp3/Headers;)Lokhttp3/Headers$Builder; PLokhttp3/internal/_HeadersCommonKt;->commonRemoveAll(Lokhttp3/Headers$Builder;Ljava/lang/String;)Lokhttp3/Headers$Builder; PLokhttp3/internal/_HeadersCommonKt;->commonSet(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; @@ -19825,11 +20683,11 @@ HSPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidLabelLengths(Ljava/lang HPLokhttp3/internal/_HostnamesCommonKt;->idnToAscii(Ljava/lang/String;)Ljava/lang/String; HPLokhttp3/internal/_HostnamesCommonKt;->toCanonicalHost(Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_MediaTypeCommonKt;->()V -PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lokhttp3/MediaType; +HPLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaTypeOrNull(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToString(Lokhttp3/MediaType;)Ljava/lang/String; Lokhttp3/internal/_NormalizeJvmKt; -HSPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; Lokhttp3/internal/_RequestBodyCommonKt; PLokhttp3/internal/_RequestBodyCommonKt;->commonIsDuplex(Lokhttp3/RequestBody;)Z HSPLokhttp3/internal/_RequestBodyCommonKt;->commonToRequestBody([BLokhttp3/MediaType;II)Lokhttp3/RequestBody; @@ -19838,7 +20696,7 @@ HSPLokhttp3/internal/_RequestBodyCommonKt$commonToRequestBody$1;->(Lokhttp PLokhttp3/internal/_RequestCommonKt;->canonicalUrl(Ljava/lang/String;)Ljava/lang/String; HPLokhttp3/internal/_RequestCommonKt;->commonAddHeader(Lokhttp3/Request$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; -PLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request;Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request;Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_RequestCommonKt;->commonHeaders(Lokhttp3/Request$Builder;Lokhttp3/Headers;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonMethod(Lokhttp3/Request$Builder;Ljava/lang/String;Lokhttp3/RequestBody;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonRemoveHeader(Lokhttp3/Request$Builder;Ljava/lang/String;)Lokhttp3/Request$Builder; @@ -19862,6 +20720,7 @@ PLokhttp3/internal/_ResponseCommonKt;->commonPriorResponse(Lokhttp3/Response$Bui PLokhttp3/internal/_ResponseCommonKt;->commonProtocol(Lokhttp3/Response$Builder;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonRequest(Lokhttp3/Response$Builder;Lokhttp3/Request;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonTrailers(Lokhttp3/Response$Builder;Lkotlin/jvm/functions/Function0;)Lokhttp3/Response$Builder; +PLokhttp3/internal/_ResponseCommonKt;->getCommonCacheControl(Lokhttp3/Response;)Lokhttp3/CacheControl; PLokhttp3/internal/_ResponseCommonKt;->getCommonIsRedirect(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->stripBody(Lokhttp3/Response;)Lokhttp3/Response; @@ -19884,10 +20743,13 @@ HSPLokhttp3/internal/_UtilCommonKt;->indexOfFirstNonAsciiWhitespace$default(Ljav HSPLokhttp3/internal/_UtilCommonKt;->indexOfFirstNonAsciiWhitespace(Ljava/lang/String;II)I HSPLokhttp3/internal/_UtilCommonKt;->indexOfLastNonAsciiWhitespace$default(Ljava/lang/String;IIILjava/lang/Object;)I HSPLokhttp3/internal/_UtilCommonKt;->indexOfLastNonAsciiWhitespace(Ljava/lang/String;II)I +PLokhttp3/internal/_UtilCommonKt;->indexOfNonWhitespace(Ljava/lang/String;I)I PLokhttp3/internal/_UtilCommonKt;->intersect([Ljava/lang/String;[Ljava/lang/String;Ljava/util/Comparator;)[Ljava/lang/String; +PLokhttp3/internal/_UtilCommonKt;->isCivilized(Lokio/FileSystem;Lokio/Path;)Z PLokhttp3/internal/_UtilCommonKt;->matchAtPolyfill(Lkotlin/text/Regex;Ljava/lang/CharSequence;I)Lkotlin/text/MatchResult; HPLokhttp3/internal/_UtilCommonKt;->readMedium(Lokio/BufferedSource;)I PLokhttp3/internal/_UtilCommonKt;->toLongOrDefault(Ljava/lang/String;J)J +PLokhttp3/internal/_UtilCommonKt;->toNonNegativeInt(Ljava/lang/String;I)I PLokhttp3/internal/_UtilCommonKt;->writeMedium(Lokio/BufferedSink;I)V PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$aiIKyiCVQJMoJuLBZzlTCC9JyKk(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$zVjOF8EpEt9HO-4CCFO4lcqRfxo(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; @@ -19900,7 +20762,7 @@ PLokhttp3/internal/_UtilJvmKt;->headersContentLength(Lokhttp3/Response;)J PLokhttp3/internal/_UtilJvmKt;->immutableListOf([Ljava/lang/Object;)Ljava/util/List; PLokhttp3/internal/_UtilJvmKt;->threadFactory$lambda$1(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/_UtilJvmKt;->threadFactory(Ljava/lang/String;Z)Ljava/util/concurrent/ThreadFactory; -PLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; +HPLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; PLokhttp3/internal/_UtilJvmKt;->toHostHeader$default(Lokhttp3/HttpUrl;ZILjava/lang/Object;)Ljava/lang/String; PLokhttp3/internal/_UtilJvmKt;->toHostHeader(Lokhttp3/HttpUrl;Z)Ljava/lang/String; PLokhttp3/internal/_UtilJvmKt;->toImmutableList(Ljava/util/List;)Ljava/util/List; @@ -19912,18 +20774,67 @@ PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;)V PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/cache/CacheInterceptor;->()V PLokhttp3/internal/cache/CacheInterceptor;->(Lokhttp3/Cache;)V -PLokhttp3/internal/cache/CacheInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; +PLokhttp3/internal/cache/CacheInterceptor;->cacheWritingResponse(Lokhttp3/internal/cache/CacheRequest;Lokhttp3/Response;)Lokhttp3/Response; +HPLokhttp3/internal/cache/CacheInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; PLokhttp3/internal/cache/CacheInterceptor$Companion;->()V PLokhttp3/internal/cache/CacheInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/cache/CacheInterceptor$cacheWritingResponse$cacheWritingSource$1;->(Lokio/BufferedSource;Lokhttp3/internal/cache/CacheRequest;Lokio/BufferedSink;)V +PLokhttp3/internal/cache/CacheInterceptor$cacheWritingResponse$cacheWritingSource$1;->close()V +HPLokhttp3/internal/cache/CacheInterceptor$cacheWritingResponse$cacheWritingSource$1;->read(Lokio/Buffer;J)J PLokhttp3/internal/cache/CacheStrategy;->()V PLokhttp3/internal/cache/CacheStrategy;->(Lokhttp3/Request;Lokhttp3/Response;)V PLokhttp3/internal/cache/CacheStrategy;->getCacheResponse()Lokhttp3/Response; PLokhttp3/internal/cache/CacheStrategy;->getNetworkRequest()Lokhttp3/Request; PLokhttp3/internal/cache/CacheStrategy$Companion;->()V PLokhttp3/internal/cache/CacheStrategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/cache/CacheStrategy$Companion;->isCacheable(Lokhttp3/Response;Lokhttp3/Request;)Z PLokhttp3/internal/cache/CacheStrategy$Factory;->(JLokhttp3/Request;Lokhttp3/Response;)V PLokhttp3/internal/cache/CacheStrategy$Factory;->compute()Lokhttp3/internal/cache/CacheStrategy; PLokhttp3/internal/cache/CacheStrategy$Factory;->computeCandidate()Lokhttp3/internal/cache/CacheStrategy; +PLokhttp3/internal/cache/DiskLruCache;->()V +PLokhttp3/internal/cache/DiskLruCache;->(Lokio/FileSystem;Lokio/Path;IIJLokhttp3/internal/concurrent/TaskRunner;)V +PLokhttp3/internal/cache/DiskLruCache;->checkNotClosed()V +HPLokhttp3/internal/cache/DiskLruCache;->completeEdit$okhttp(Lokhttp3/internal/cache/DiskLruCache$Editor;Z)V +PLokhttp3/internal/cache/DiskLruCache;->edit$default(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;JILjava/lang/Object;)Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/internal/cache/DiskLruCache;->edit(Ljava/lang/String;J)Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/internal/cache/DiskLruCache;->get(Ljava/lang/String;)Lokhttp3/internal/cache/DiskLruCache$Snapshot; +PLokhttp3/internal/cache/DiskLruCache;->getDirectory()Lokio/Path; +PLokhttp3/internal/cache/DiskLruCache;->getFileSystem$okhttp()Lokio/FileSystem; +PLokhttp3/internal/cache/DiskLruCache;->getValueCount$okhttp()I +PLokhttp3/internal/cache/DiskLruCache;->initialize()V +PLokhttp3/internal/cache/DiskLruCache;->journalRebuildRequired()Z +PLokhttp3/internal/cache/DiskLruCache;->newJournalWriter()Lokio/BufferedSink; +PLokhttp3/internal/cache/DiskLruCache;->rebuildJournal$okhttp()V +PLokhttp3/internal/cache/DiskLruCache;->remove(Ljava/lang/String;)Z +PLokhttp3/internal/cache/DiskLruCache;->validateKey(Ljava/lang/String;)V +PLokhttp3/internal/cache/DiskLruCache$Companion;->()V +PLokhttp3/internal/cache/DiskLruCache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/cache/DiskLruCache$Editor;->(Lokhttp3/internal/cache/DiskLruCache;Lokhttp3/internal/cache/DiskLruCache$Entry;)V +PLokhttp3/internal/cache/DiskLruCache$Editor;->commit()V +PLokhttp3/internal/cache/DiskLruCache$Editor;->getEntry$okhttp()Lokhttp3/internal/cache/DiskLruCache$Entry; +PLokhttp3/internal/cache/DiskLruCache$Editor;->getWritten$okhttp()[Z +HPLokhttp3/internal/cache/DiskLruCache$Editor;->newSink(I)Lokio/Sink; +PLokhttp3/internal/cache/DiskLruCache$Editor$newSink$1$1;->(Lokhttp3/internal/cache/DiskLruCache;Lokhttp3/internal/cache/DiskLruCache$Editor;)V +HPLokhttp3/internal/cache/DiskLruCache$Entry;->(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->getCleanFiles$okhttp()Ljava/util/List; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getCurrentEditor$okhttp()Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getDirtyFiles$okhttp()Ljava/util/List; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getKey$okhttp()Ljava/lang/String; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getLengths$okhttp()[J +PLokhttp3/internal/cache/DiskLruCache$Entry;->getReadable$okhttp()Z +PLokhttp3/internal/cache/DiskLruCache$Entry;->getZombie$okhttp()Z +PLokhttp3/internal/cache/DiskLruCache$Entry;->setCurrentEditor$okhttp(Lokhttp3/internal/cache/DiskLruCache$Editor;)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->setReadable$okhttp(Z)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->setSequenceNumber$okhttp(J)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->writeLengths$okhttp(Lokio/BufferedSink;)V +PLokhttp3/internal/cache/DiskLruCache$cleanupTask$1;->(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;)V +PLokhttp3/internal/cache/DiskLruCache$fileSystem$1;->(Lokio/FileSystem;)V +PLokhttp3/internal/cache/DiskLruCache$fileSystem$1;->sink(Lokio/Path;Z)Lokio/Sink; +PLokhttp3/internal/cache/DiskLruCache$newJournalWriter$faultHidingSink$1;->(Lokhttp3/internal/cache/DiskLruCache;)V +PLokhttp3/internal/cache/FaultHidingSink;->(Lokio/Sink;Lkotlin/jvm/functions/Function1;)V +PLokhttp3/internal/cache/FaultHidingSink;->close()V +PLokhttp3/internal/cache/FaultHidingSink;->flush()V +PLokhttp3/internal/cache/FaultHidingSink;->write(Lokio/Buffer;J)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;Z)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/Task;->getName()Ljava/lang/String; @@ -19940,7 +20851,7 @@ PLokhttp3/internal/concurrent/TaskQueue;->getCancelActiveTask$okhttp()Z PLokhttp3/internal/concurrent/TaskQueue;->getFutureTasks$okhttp()Ljava/util/List; PLokhttp3/internal/concurrent/TaskQueue;->getShutdown$okhttp()Z PLokhttp3/internal/concurrent/TaskQueue;->schedule$default(Lokhttp3/internal/concurrent/TaskQueue;Lokhttp3/internal/concurrent/Task;JILjava/lang/Object;)V -HPLokhttp3/internal/concurrent/TaskQueue;->schedule(Lokhttp3/internal/concurrent/Task;J)V +PLokhttp3/internal/concurrent/TaskQueue;->schedule(Lokhttp3/internal/concurrent/Task;J)V HPLokhttp3/internal/concurrent/TaskQueue;->scheduleAndDecide$okhttp(Lokhttp3/internal/concurrent/Task;JZ)Z PLokhttp3/internal/concurrent/TaskQueue;->setActiveTask$okhttp(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskQueue;->setCancelActiveTask$okhttp(Z)V @@ -19951,16 +20862,16 @@ PLokhttp3/internal/concurrent/TaskRunner;->()V PLokhttp3/internal/concurrent/TaskRunner;->(Lokhttp3/internal/concurrent/TaskRunner$Backend;Ljava/util/logging/Logger;)V PLokhttp3/internal/concurrent/TaskRunner;->(Lokhttp3/internal/concurrent/TaskRunner$Backend;Ljava/util/logging/Logger;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/TaskRunner;->access$runTask(Lokhttp3/internal/concurrent/TaskRunner;Lokhttp3/internal/concurrent/Task;)V -HPLokhttp3/internal/concurrent/TaskRunner;->afterRun(Lokhttp3/internal/concurrent/Task;J)V +PLokhttp3/internal/concurrent/TaskRunner;->afterRun(Lokhttp3/internal/concurrent/Task;J)V HPLokhttp3/internal/concurrent/TaskRunner;->awaitTaskToRun()Lokhttp3/internal/concurrent/Task; -HPLokhttp3/internal/concurrent/TaskRunner;->beforeRun(Lokhttp3/internal/concurrent/Task;)V +PLokhttp3/internal/concurrent/TaskRunner;->beforeRun(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskRunner;->getBackend()Lokhttp3/internal/concurrent/TaskRunner$Backend; PLokhttp3/internal/concurrent/TaskRunner;->getCondition()Ljava/util/concurrent/locks/Condition; PLokhttp3/internal/concurrent/TaskRunner;->getLock()Ljava/util/concurrent/locks/ReentrantLock; PLokhttp3/internal/concurrent/TaskRunner;->getLogger$okhttp()Ljava/util/logging/Logger; HPLokhttp3/internal/concurrent/TaskRunner;->kickCoordinator$okhttp(Lokhttp3/internal/concurrent/TaskQueue;)V PLokhttp3/internal/concurrent/TaskRunner;->newQueue()Lokhttp3/internal/concurrent/TaskQueue; -HPLokhttp3/internal/concurrent/TaskRunner;->runTask(Lokhttp3/internal/concurrent/Task;)V +PLokhttp3/internal/concurrent/TaskRunner;->runTask(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskRunner$Companion;->()V PLokhttp3/internal/concurrent/TaskRunner$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->(Ljava/util/concurrent/ThreadFactory;)V @@ -19970,7 +20881,7 @@ PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->decorate(Ljava/util/concu PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->execute(Lokhttp3/internal/concurrent/TaskRunner;Ljava/lang/Runnable;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->nanoTime()J PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->(Lokhttp3/internal/concurrent/TaskRunner;)V -HPLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V +PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; @@ -19979,7 +20890,7 @@ PLokhttp3/internal/connection/ConnectPlan;->(Lokhttp3/OkHttpClient;Lokhttp PLokhttp3/internal/connection/ConnectPlan;->closeQuietly()V PLokhttp3/internal/connection/ConnectPlan;->connectSocket()V PLokhttp3/internal/connection/ConnectPlan;->connectTcp()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; -PLokhttp3/internal/connection/ConnectPlan;->connectTls(Ljavax/net/ssl/SSLSocket;Lokhttp3/ConnectionSpec;)V +HPLokhttp3/internal/connection/ConnectPlan;->connectTls(Ljavax/net/ssl/SSLSocket;Lokhttp3/ConnectionSpec;)V HPLokhttp3/internal/connection/ConnectPlan;->connectTlsEtc()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; PLokhttp3/internal/connection/ConnectPlan;->copy$default(Lokhttp3/internal/connection/ConnectPlan;ILokhttp3/Request;IZILjava/lang/Object;)Lokhttp3/internal/connection/ConnectPlan; PLokhttp3/internal/connection/ConnectPlan;->copy(ILokhttp3/Request;IZ)Lokhttp3/internal/connection/ConnectPlan; @@ -19994,6 +20905,8 @@ PLokhttp3/internal/connection/ConnectPlan$Companion;->(Lkotlin/jvm/interna PLokhttp3/internal/connection/ConnectPlan$WhenMappings;->()V PLokhttp3/internal/connection/ConnectPlan$connectTls$1;->(Lokhttp3/Handshake;)V PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->(Lokhttp3/CertificatePinner;Lokhttp3/Handshake;Lokhttp3/Address;)V +PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava/lang/Object; +PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava/util/List; PLokhttp3/internal/connection/Exchange;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/EventListener;Lokhttp3/internal/connection/ExchangeFinder;Lokhttp3/internal/http/ExchangeCodec;)V PLokhttp3/internal/connection/Exchange;->bodyComplete(JZZLjava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/Exchange;->cancel()V @@ -20026,7 +20939,7 @@ PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getConnectResu PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getTcpConnectsInFlight$p(Lokhttp3/internal/connection/FastFallbackExchangeFinder;)Ljava/util/concurrent/CopyOnWriteArrayList; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->awaitTcpConnect(JLjava/util/concurrent/TimeUnit;)Lokhttp3/internal/connection/RoutePlanner$ConnectResult; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->cancelInFlightConnects()V -PLokhttp3/internal/connection/FastFallbackExchangeFinder;->find()Lokhttp3/internal/connection/RealConnection; +HPLokhttp3/internal/connection/FastFallbackExchangeFinder;->find()Lokhttp3/internal/connection/RealConnection; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->getRoutePlanner()Lokhttp3/internal/connection/RoutePlanner; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->launchTcpConnect()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; PLokhttp3/internal/connection/FastFallbackExchangeFinder$launchTcpConnect$1;->(Ljava/lang/String;Lokhttp3/internal/connection/RoutePlanner$Plan;Lokhttp3/internal/connection/FastFallbackExchangeFinder;)V @@ -20050,9 +20963,9 @@ PLokhttp3/internal/connection/RealCall;->getInterceptorScopedExchange$okhttp()Lo PLokhttp3/internal/connection/RealCall;->getOriginalRequest()Lokhttp3/Request; PLokhttp3/internal/connection/RealCall;->getPlansToCancel$okhttp()Ljava/util/concurrent/CopyOnWriteArrayList; HPLokhttp3/internal/connection/RealCall;->getResponseWithInterceptorChain$okhttp()Lokhttp3/Response; -PLokhttp3/internal/connection/RealCall;->initExchange$okhttp(Lokhttp3/internal/http/RealInterceptorChain;)Lokhttp3/internal/connection/Exchange; +HPLokhttp3/internal/connection/RealCall;->initExchange$okhttp(Lokhttp3/internal/http/RealInterceptorChain;)Lokhttp3/internal/connection/Exchange; PLokhttp3/internal/connection/RealCall;->isCanceled()Z -PLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/connection/Exchange;ZZLjava/io/IOException;)Ljava/io/IOException; +HPLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/connection/Exchange;ZZLjava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->noMoreExchanges$okhttp(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->redactedUrl$okhttp()Ljava/lang/String; PLokhttp3/internal/connection/RealCall;->releaseConnectionNoEvents$okhttp()Ljava/net/Socket; @@ -20092,7 +21005,7 @@ PLokhttp3/internal/connection/RealConnection$Companion;->()V PLokhttp3/internal/connection/RealConnection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/connection/RealConnectionPool;->()V PLokhttp3/internal/connection/RealConnectionPool;->(Lokhttp3/internal/concurrent/TaskRunner;IJLjava/util/concurrent/TimeUnit;Lokhttp3/ConnectionListener;)V -PLokhttp3/internal/connection/RealConnectionPool;->callAcquirePooledConnection(ZLokhttp3/Address;Lokhttp3/internal/connection/RealCall;Ljava/util/List;Z)Lokhttp3/internal/connection/RealConnection; +HPLokhttp3/internal/connection/RealConnectionPool;->callAcquirePooledConnection(ZLokhttp3/Address;Lokhttp3/internal/connection/RealCall;Ljava/util/List;Z)Lokhttp3/internal/connection/RealConnection; PLokhttp3/internal/connection/RealConnectionPool;->cleanup(J)J PLokhttp3/internal/connection/RealConnectionPool;->connectionBecameIdle(Lokhttp3/internal/connection/RealConnection;)Z PLokhttp3/internal/connection/RealConnectionPool;->getConnectionListener$okhttp()Lokhttp3/ConnectionListener; @@ -20112,7 +21025,7 @@ PLokhttp3/internal/connection/RealRoutePlanner;->planConnect()Lokhttp3/internal/ PLokhttp3/internal/connection/RealRoutePlanner;->planConnectToRoute$okhttp(Lokhttp3/Route;Ljava/util/List;)Lokhttp3/internal/connection/ConnectPlan; PLokhttp3/internal/connection/RealRoutePlanner;->planReuseCallConnection()Lokhttp3/internal/connection/ReusePlan; PLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp$default(Lokhttp3/internal/connection/RealRoutePlanner;Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;ILjava/lang/Object;)Lokhttp3/internal/connection/ReusePlan; -PLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp(Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;)Lokhttp3/internal/connection/ReusePlan; +HPLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp(Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;)Lokhttp3/internal/connection/ReusePlan; PLokhttp3/internal/connection/RealRoutePlanner;->retryRoute(Lokhttp3/internal/connection/RealConnection;)Lokhttp3/Route; PLokhttp3/internal/connection/RealRoutePlanner;->sameHostAndPort(Lokhttp3/HttpUrl;)Z PLokhttp3/internal/connection/ReusePlan;->(Lokhttp3/internal/connection/RealConnection;)V @@ -20152,6 +21065,7 @@ PLokhttp3/internal/http/HttpHeaders;->promisesBody(Lokhttp3/Response;)Z PLokhttp3/internal/http/HttpHeaders;->receiveHeaders(Lokhttp3/CookieJar;Lokhttp3/HttpUrl;Lokhttp3/Headers;)V PLokhttp3/internal/http/HttpMethod;->()V PLokhttp3/internal/http/HttpMethod;->()V +PLokhttp3/internal/http/HttpMethod;->invalidatesCache(Ljava/lang/String;)Z PLokhttp3/internal/http/HttpMethod;->permitsRequestBody(Ljava/lang/String;)Z PLokhttp3/internal/http/HttpMethod;->requiresRequestBody(Ljava/lang/String;)Z HPLokhttp3/internal/http/RealInterceptorChain;->(Lokhttp3/internal/connection/RealCall;Ljava/util/List;ILokhttp3/internal/connection/Exchange;Lokhttp3/Request;III)V @@ -20186,6 +21100,7 @@ PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine;->()V PLokhttp3/internal/http/StatusLine;->(Lokhttp3/Protocol;ILjava/lang/String;)V +PLokhttp3/internal/http/StatusLine;->toString()Ljava/lang/String; PLokhttp3/internal/http/StatusLine$Companion;->()V PLokhttp3/internal/http/StatusLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; @@ -20220,9 +21135,9 @@ PLokhttp3/internal/http2/Hpack$Reader;->getAndResetHeaderList()Ljava/util/List; PLokhttp3/internal/http2/Hpack$Reader;->getName(I)Lokio/ByteString; PLokhttp3/internal/http2/Hpack$Reader;->insertIntoDynamicTable(ILokhttp3/internal/http2/Header;)V PLokhttp3/internal/http2/Hpack$Reader;->isStaticHeader(I)Z -HPLokhttp3/internal/http2/Hpack$Reader;->readByte()I +PLokhttp3/internal/http2/Hpack$Reader;->readByte()I HPLokhttp3/internal/http2/Hpack$Reader;->readByteString()Lokio/ByteString; -HPLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V +PLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V PLokhttp3/internal/http2/Hpack$Reader;->readIndexedHeader(I)V PLokhttp3/internal/http2/Hpack$Reader;->readInt(II)I PLokhttp3/internal/http2/Hpack$Reader;->readLiteralHeaderWithIncrementalIndexingIndexedName(I)V @@ -20327,11 +21242,11 @@ PLokhttp3/internal/http2/Http2ExchangeCodec;->getCarrier()Lokhttp3/internal/http PLokhttp3/internal/http2/Http2ExchangeCodec;->openResponseBodySource(Lokhttp3/Response;)Lokio/Source; PLokhttp3/internal/http2/Http2ExchangeCodec;->readResponseHeaders(Z)Lokhttp3/Response$Builder; PLokhttp3/internal/http2/Http2ExchangeCodec;->reportedContentLength(Lokhttp3/Response;)J -PLokhttp3/internal/http2/Http2ExchangeCodec;->writeRequestHeaders(Lokhttp3/Request;)V +HPLokhttp3/internal/http2/Http2ExchangeCodec;->writeRequestHeaders(Lokhttp3/Request;)V PLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->()V PLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->http2HeadersList(Lokhttp3/Request;)Ljava/util/List; -PLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->readHttp2HeadersList(Lokhttp3/Headers;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; +HPLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->readHttp2HeadersList(Lokhttp3/Headers;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/http2/Http2ExchangeCodec$Companion$readHttp2HeadersList$1;->()V PLokhttp3/internal/http2/Http2ExchangeCodec$Companion$readHttp2HeadersList$1;->()V PLokhttp3/internal/http2/Http2Reader;->()V @@ -20339,7 +21254,7 @@ PLokhttp3/internal/http2/Http2Reader;->(Lokio/BufferedSource;Z)V PLokhttp3/internal/http2/Http2Reader;->close()V HPLokhttp3/internal/http2/Http2Reader;->nextFrame(ZLokhttp3/internal/http2/Http2Reader$Handler;)Z PLokhttp3/internal/http2/Http2Reader;->readConnectionPreface(Lokhttp3/internal/http2/Http2Reader$Handler;)V -PLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V +HPLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readHeaderBlock(IIII)Ljava/util/List; PLokhttp3/internal/http2/Http2Reader;->readHeaders(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readSettings(Lokhttp3/internal/http2/Http2Reader$Handler;III)V @@ -20376,10 +21291,10 @@ PLokhttp3/internal/http2/Http2Stream;->getWriteBytesMaximum()J PLokhttp3/internal/http2/Http2Stream;->getWriteBytesTotal()J PLokhttp3/internal/http2/Http2Stream;->getWriteTimeout$okhttp()Lokhttp3/internal/http2/Http2Stream$StreamTimeout; PLokhttp3/internal/http2/Http2Stream;->isLocallyInitiated()Z -PLokhttp3/internal/http2/Http2Stream;->isOpen()Z +HPLokhttp3/internal/http2/Http2Stream;->isOpen()Z PLokhttp3/internal/http2/Http2Stream;->readTimeout()Lokio/Timeout; PLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V -PLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V +HPLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V PLokhttp3/internal/http2/Http2Stream;->setWriteBytesTotal$okhttp(J)V PLokhttp3/internal/http2/Http2Stream;->takeHeaders(Z)Lokhttp3/Headers; PLokhttp3/internal/http2/Http2Stream;->waitForIo$okhttp()V @@ -20387,7 +21302,7 @@ PLokhttp3/internal/http2/Http2Stream;->writeTimeout()Lokio/Timeout; PLokhttp3/internal/http2/Http2Stream$Companion;->()V PLokhttp3/internal/http2/Http2Stream$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->(Lokhttp3/internal/http2/Http2Stream;Z)V -PLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V +HPLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V PLokhttp3/internal/http2/Http2Stream$FramingSink;->emitFrame(Z)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->getClosed()Z PLokhttp3/internal/http2/Http2Stream$FramingSink;->getFinished()Z @@ -20423,6 +21338,7 @@ PLokhttp3/internal/http2/Http2Writer$Companion;->(Lkotlin/jvm/internal/Def PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->addCode(III)V +HPLokhttp3/internal/http2/Huffman;->decode(Lokio/BufferedSource;JLokio/BufferedSink;)V HPLokhttp3/internal/http2/Huffman;->encode(Lokio/ByteString;Lokio/BufferedSink;)V PLokhttp3/internal/http2/Huffman;->encodedLength(Lokio/ByteString;)I PLokhttp3/internal/http2/Huffman$Node;->()V @@ -20451,7 +21367,7 @@ PLokhttp3/internal/http2/StreamResetException;->(Lokhttp3/internal/http2/E PLokhttp3/internal/http2/flowcontrol/WindowCounter;->(I)V PLokhttp3/internal/http2/flowcontrol/WindowCounter;->getUnacknowledged()J PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update$default(Lokhttp3/internal/http2/flowcontrol/WindowCounter;JJILjava/lang/Object;)V -PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V +HPLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V Lokhttp3/internal/idn/IdnaMappingTable; HSPLokhttp3/internal/idn/IdnaMappingTable;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V HPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I @@ -20481,17 +21397,12 @@ PLokhttp3/internal/platform/Android10Platform$Companion;->()V PLokhttp3/internal/platform/Android10Platform$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/platform/Android10Platform$Companion;->buildIfSupported()Lokhttp3/internal/platform/Platform; PLokhttp3/internal/platform/Android10Platform$Companion;->isSupported()Z -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m()Landroid/util/CloseGuard; -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Landroid/util/CloseGuard;Ljava/lang/String;)V -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLParameters;[Ljava/lang/String;)V -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Ljava/lang/String; -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Z -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;Z)V PLokhttp3/internal/platform/Platform;->()V PLokhttp3/internal/platform/Platform;->()V PLokhttp3/internal/platform/Platform;->access$getPlatform$cp()Lokhttp3/internal/platform/Platform; PLokhttp3/internal/platform/Platform;->afterHandshake(Ljavax/net/ssl/SSLSocket;)V PLokhttp3/internal/platform/Platform;->connectSocket(Ljava/net/Socket;Ljava/net/InetSocketAddress;I)V +PLokhttp3/internal/platform/Platform;->getPrefix()Ljava/lang/String; PLokhttp3/internal/platform/Platform;->log$default(Lokhttp3/internal/platform/Platform;Ljava/lang/String;ILjava/lang/Throwable;ILjava/lang/Object;)V PLokhttp3/internal/platform/Platform;->log(Ljava/lang/String;ILjava/lang/Throwable;)V PLokhttp3/internal/platform/Platform;->newSSLContext()Ljavax/net/ssl/SSLContext; @@ -20517,6 +21428,7 @@ PLokhttp3/internal/platform/android/Android10SocketAdapter$Companion;->buildIfSu PLokhttp3/internal/platform/android/Android10SocketAdapter$Companion;->isSupported()Z PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->()V PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->(Ljavax/net/ssl/X509TrustManager;Landroid/net/http/X509TrustManagerExtensions;)V +PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->clean(Ljava/util/List;Ljava/lang/String;)Ljava/util/List; PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->equals(Ljava/lang/Object;)Z PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->hashCode()I PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner$Companion;->()V @@ -20581,12 +21493,16 @@ PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->log(Ljava/lang/String;)V +PLokio/-Base64;->()V +PLokio/-Base64;->encodeBase64$default([B[BILjava/lang/Object;)Ljava/lang/String; +HPLokio/-Base64;->encodeBase64([B[B)Ljava/lang/String; Lokio/-SegmentedByteString; HSPLokio/-SegmentedByteString;->()V HPLokio/-SegmentedByteString;->arrayRangeEquals([BI[BII)Z HPLokio/-SegmentedByteString;->checkOffsetAndCount(JJJ)V PLokio/-SegmentedByteString;->getDEFAULT__ByteString_size()I PLokio/-SegmentedByteString;->resolveDefaultParameter(Lokio/ByteString;I)I +PLokio/-SegmentedByteString;->resolveDefaultParameter([BI)I PLokio/-SegmentedByteString;->reverseBytes(I)I PLokio/AsyncTimeout;->()V PLokio/AsyncTimeout;->()V @@ -20614,7 +21530,7 @@ PLokio/AsyncTimeout$Companion;->awaitTimeout()Lokio/AsyncTimeout; PLokio/AsyncTimeout$Companion;->getCondition()Ljava/util/concurrent/locks/Condition; PLokio/AsyncTimeout$Companion;->getLock()Ljava/util/concurrent/locks/ReentrantLock; HPLokio/AsyncTimeout$Companion;->insertIntoQueue(Lokio/AsyncTimeout;JZ)V -PLokio/AsyncTimeout$Companion;->removeFromQueue(Lokio/AsyncTimeout;)V +HPLokio/AsyncTimeout$Companion;->removeFromQueue(Lokio/AsyncTimeout;)V PLokio/AsyncTimeout$Watchdog;->()V PLokio/AsyncTimeout$Watchdog;->run()V PLokio/AsyncTimeout$sink$1;->(Lokio/AsyncTimeout;Lokio/Sink;)V @@ -20627,15 +21543,18 @@ HPLokio/AsyncTimeout$source$1;->read(Lokio/Buffer;J)J Lokio/Buffer; HPLokio/Buffer;->()V PLokio/Buffer;->clear()V -HPLokio/Buffer;->completeSegmentByteCount()J -PLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; +HPLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; HPLokio/Buffer;->exhausted()Z +HPLokio/Buffer;->getByte(J)B HPLokio/Buffer;->indexOf(BJJ)J PLokio/Buffer;->indexOfElement(Lokio/ByteString;)J -PLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z +HPLokio/Buffer;->indexOfElement(Lokio/ByteString;J)J +HPLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z PLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z HPLokio/Buffer;->read(Ljava/nio/ByteBuffer;)I HPLokio/Buffer;->read(Lokio/Buffer;J)J +HPLokio/Buffer;->read([BII)I +HPLokio/Buffer;->readByte()B HPLokio/Buffer;->readByteArray(J)[B PLokio/Buffer;->readByteString()Lokio/ByteString; HPLokio/Buffer;->readByteString(J)Lokio/ByteString; @@ -20643,11 +21562,13 @@ HPLokio/Buffer;->readFully([B)V HPLokio/Buffer;->readInt()I PLokio/Buffer;->readIntLe()I PLokio/Buffer;->readShort()S +HPLokio/Buffer;->readString(JLjava/nio/charset/Charset;)Ljava/lang/String; HSPLokio/Buffer;->readUtf8()Ljava/lang/String; HPLokio/Buffer;->readUtf8(J)Ljava/lang/String; -HPLokio/Buffer;->readUtf8CodePoint()I +HSPLokio/Buffer;->readUtf8CodePoint()I HPLokio/Buffer;->setSize$okio(J)V HPLokio/Buffer;->size()J +HPLokio/Buffer;->skip(J)V HPLokio/Buffer;->writableSegment$okio(I)Lokio/Segment; HPLokio/Buffer;->write(Lokio/Buffer;J)V HPLokio/Buffer;->write(Lokio/ByteString;)Lokio/Buffer; @@ -20656,7 +21577,7 @@ HPLokio/Buffer;->write([BII)Lokio/Buffer; HSPLokio/Buffer;->writeAll(Lokio/Source;)J HPLokio/Buffer;->writeByte(I)Lokio/Buffer; HPLokio/Buffer;->writeByte(I)Lokio/BufferedSink; -PLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; +HPLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; HPLokio/Buffer;->writeInt(I)Lokio/Buffer; PLokio/Buffer;->writeShort(I)Lokio/Buffer; HPLokio/Buffer;->writeUtf8(Ljava/lang/String;)Lokio/Buffer; @@ -20671,10 +21592,11 @@ Lokio/BufferedSource; Lokio/ByteString; HSPLokio/ByteString;->()V HPLokio/ByteString;->([B)V +PLokio/ByteString;->base64()Ljava/lang/String; HSPLokio/ByteString;->compareTo(Ljava/lang/Object;)I HSPLokio/ByteString;->compareTo(Lokio/ByteString;)I PLokio/ByteString;->decodeHex(Ljava/lang/String;)Lokio/ByteString; -PLokio/ByteString;->digest$okio(Ljava/lang/String;)Lokio/ByteString; +HPLokio/ByteString;->digest$okio(Ljava/lang/String;)Lokio/ByteString; PLokio/ByteString;->encodeUtf8(Ljava/lang/String;)Lokio/ByteString; PLokio/ByteString;->endsWith(Lokio/ByteString;)Z HPLokio/ByteString;->equals(Ljava/lang/Object;)Z @@ -20684,15 +21606,16 @@ PLokio/ByteString;->getHashCode$okio()I HPLokio/ByteString;->getSize$okio()I PLokio/ByteString;->getUtf8$okio()Ljava/lang/String; PLokio/ByteString;->hashCode()I -PLokio/ByteString;->hex()Ljava/lang/String; +HPLokio/ByteString;->hex()Ljava/lang/String; PLokio/ByteString;->indexOf$default(Lokio/ByteString;Lokio/ByteString;IILjava/lang/Object;)I -PLokio/ByteString;->indexOf(Lokio/ByteString;I)I -PLokio/ByteString;->indexOf([BI)I +HPLokio/ByteString;->indexOf(Lokio/ByteString;I)I +HPLokio/ByteString;->indexOf([BI)I PLokio/ByteString;->internalArray$okio()[B HPLokio/ByteString;->internalGet$okio(I)B PLokio/ByteString;->lastIndexOf$default(Lokio/ByteString;Lokio/ByteString;IILjava/lang/Object;)I PLokio/ByteString;->lastIndexOf(Lokio/ByteString;I)I -PLokio/ByteString;->lastIndexOf([BI)I +HPLokio/ByteString;->lastIndexOf([BI)I +PLokio/ByteString;->md5()Lokio/ByteString; HSPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z HPLokio/ByteString;->rangeEquals(I[BII)Z PLokio/ByteString;->setHashCode$okio(I)V @@ -20701,15 +21624,17 @@ PLokio/ByteString;->sha256()Lokio/ByteString; HPLokio/ByteString;->size()I HSPLokio/ByteString;->startsWith(Lokio/ByteString;)Z PLokio/ByteString;->substring$default(Lokio/ByteString;IIILjava/lang/Object;)Lokio/ByteString; -PLokio/ByteString;->substring(II)Lokio/ByteString; +HPLokio/ByteString;->substring(II)Lokio/ByteString; PLokio/ByteString;->toAsciiLowercase()Lokio/ByteString; -PLokio/ByteString;->utf8()Ljava/lang/String; +HPLokio/ByteString;->utf8()Ljava/lang/String; HPLokio/ByteString;->write$okio(Lokio/Buffer;II)V Lokio/ByteString$Companion; HSPLokio/ByteString$Companion;->()V HSPLokio/ByteString$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLokio/ByteString$Companion;->decodeHex(Ljava/lang/String;)Lokio/ByteString; HPLokio/ByteString$Companion;->encodeUtf8(Ljava/lang/String;)Lokio/ByteString; +PLokio/ByteString$Companion;->of$default(Lokio/ByteString$Companion;[BIIILjava/lang/Object;)Lokio/ByteString; +PLokio/ByteString$Companion;->of([BII)Lokio/ByteString; PLokio/FileHandle;->(Z)V PLokio/FileHandle;->access$getClosed$p(Lokio/FileHandle;)Z PLokio/FileHandle;->access$getOpenStreamCount$p(Lokio/FileHandle;)I @@ -20744,12 +21669,14 @@ PLokio/FileSystem$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMark PLokio/ForwardingFileSystem;->(Lokio/FileSystem;)V PLokio/ForwardingFileSystem;->appendingSink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V +PLokio/ForwardingFileSystem;->createDirectory(Lokio/Path;Z)V PLokio/ForwardingFileSystem;->delete(Lokio/Path;Z)V -PLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; +HPLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/ForwardingFileSystem;->onPathParameter(Lokio/Path;Ljava/lang/String;Ljava/lang/String;)Lokio/Path; PLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingSink;->(Lokio/Sink;)V PLokio/ForwardingSink;->close()V +PLokio/ForwardingSink;->flush()V PLokio/ForwardingSink;->write(Lokio/Buffer;J)V PLokio/ForwardingSource;->(Lokio/Source;)V PLokio/ForwardingSource;->close()V @@ -20785,8 +21712,8 @@ PLokio/JvmSystemFileSystem;->source(Lokio/Path;)Lokio/Source; PLokio/NioSystemFileSystem;->()V PLokio/NioSystemFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V HPLokio/NioSystemFileSystem;->metadataOrNull(Ljava/nio/file/Path;)Lokio/FileMetadata; -PLokio/NioSystemFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; -PLokio/NioSystemFileSystem;->zeroToNull(Ljava/nio/file/attribute/FileTime;)Ljava/lang/Long; +HPLokio/NioSystemFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; +HPLokio/NioSystemFileSystem;->zeroToNull(Ljava/nio/file/attribute/FileTime;)Ljava/lang/Long; PLokio/Okio;->buffer(Lokio/Sink;)Lokio/BufferedSink; PLokio/Okio;->buffer(Lokio/Source;)Lokio/BufferedSource; PLokio/Okio;->sink$default(Ljava/io/File;ZILjava/lang/Object;)Lokio/Sink; @@ -20808,7 +21735,7 @@ Lokio/Options; HSPLokio/Options;->()V HSPLokio/Options;->([Lokio/ByteString;[I)V HSPLokio/Options;->([Lokio/ByteString;[ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLokio/Options;->getByteStrings$okio()[Lokio/ByteString; +HPLokio/Options;->getByteStrings$okio()[Lokio/ByteString; PLokio/Options;->getTrie$okio()[I PLokio/Options;->of([Lokio/ByteString;)Lokio/Options; Lokio/Options$Companion; @@ -20818,33 +21745,33 @@ HSPLokio/Options$Companion;->buildTrieRecursive$default(Lokio/Options$Companion; HPLokio/Options$Companion;->buildTrieRecursive(JLokio/Buffer;ILjava/util/List;IILjava/util/List;)V HSPLokio/Options$Companion;->getIntCount(Lokio/Buffer;)J HPLokio/Options$Companion;->of([Lokio/ByteString;)Lokio/Options; -PLokio/OutputStreamSink;->(Ljava/io/OutputStream;Lokio/Timeout;)V +HPLokio/OutputStreamSink;->(Ljava/io/OutputStream;Lokio/Timeout;)V PLokio/OutputStreamSink;->close()V PLokio/OutputStreamSink;->flush()V HPLokio/OutputStreamSink;->write(Lokio/Buffer;J)V PLokio/Path;->()V -PLokio/Path;->(Lokio/ByteString;)V +HPLokio/Path;->(Lokio/ByteString;)V PLokio/Path;->getBytes$okio()Lokio/ByteString; PLokio/Path;->isAbsolute()Z PLokio/Path;->name()Ljava/lang/String; PLokio/Path;->nameBytes()Lokio/ByteString; PLokio/Path;->normalized()Lokio/Path; -PLokio/Path;->parent()Lokio/Path; -PLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; +HPLokio/Path;->parent()Lokio/Path; +PLokio/Path;->resolve$default(Lokio/Path;Ljava/lang/String;ZILjava/lang/Object;)Lokio/Path; +HPLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; +PLokio/Path;->resolve(Ljava/lang/String;Z)Lokio/Path; PLokio/Path;->toFile()Ljava/io/File; HPLokio/Path;->toNioPath()Ljava/nio/file/Path; PLokio/Path;->toString()Ljava/lang/String; -PLokio/Path;->volumeLetter()Ljava/lang/Character; +HPLokio/Path;->volumeLetter()Ljava/lang/Character; PLokio/Path$Companion;->()V PLokio/Path$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokio/Path$Companion;->get$default(Lokio/Path$Companion;Ljava/io/File;ZILjava/lang/Object;)Lokio/Path; PLokio/Path$Companion;->get$default(Lokio/Path$Companion;Ljava/lang/String;ZILjava/lang/Object;)Lokio/Path; PLokio/Path$Companion;->get(Ljava/io/File;Z)Lokio/Path; PLokio/Path$Companion;->get(Ljava/lang/String;Z)Lokio/Path; -PLokio/PeekSource;->(Lokio/BufferedSource;)V -PLokio/PeekSource;->read(Lokio/Buffer;J)J -PLokio/RealBufferedSink;->(Lokio/Sink;)V -PLokio/RealBufferedSink;->close()V +HPLokio/RealBufferedSink;->(Lokio/Sink;)V +HPLokio/RealBufferedSink;->close()V HPLokio/RealBufferedSink;->emitCompleteSegments()Lokio/BufferedSink; HPLokio/RealBufferedSink;->flush()V PLokio/RealBufferedSink;->getBuffer()Lokio/Buffer; @@ -20858,16 +21785,14 @@ PLokio/RealBufferedSink;->writeShort(I)Lokio/BufferedSink; HPLokio/RealBufferedSink;->writeUtf8(Ljava/lang/String;)Lokio/BufferedSink; PLokio/RealBufferedSink$outputStream$1;->(Lokio/RealBufferedSink;)V PLokio/RealBufferedSink$outputStream$1;->write([BII)V -PLokio/RealBufferedSource;->(Lokio/Source;)V +HPLokio/RealBufferedSource;->(Lokio/Source;)V PLokio/RealBufferedSource;->close()V -PLokio/RealBufferedSource;->exhausted()Z +HPLokio/RealBufferedSource;->exhausted()Z PLokio/RealBufferedSource;->getBuffer()Lokio/Buffer; PLokio/RealBufferedSource;->indexOf(BJJ)J HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;)J HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;J)J -PLokio/RealBufferedSource;->inputStream()Ljava/io/InputStream; PLokio/RealBufferedSource;->isOpen()Z -PLokio/RealBufferedSource;->peek()Lokio/BufferedSource; PLokio/RealBufferedSource;->rangeEquals(JLokio/ByteString;)Z PLokio/RealBufferedSource;->rangeEquals(JLokio/ByteString;II)Z HPLokio/RealBufferedSource;->read(Ljava/nio/ByteBuffer;)I @@ -20878,21 +21803,19 @@ PLokio/RealBufferedSource;->readInt()I PLokio/RealBufferedSource;->readIntLe()I PLokio/RealBufferedSource;->readShort()S PLokio/RealBufferedSource;->readUtf8LineStrict()Ljava/lang/String; -PLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; +HPLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; HPLokio/RealBufferedSource;->request(J)Z HPLokio/RealBufferedSource;->require(J)V PLokio/RealBufferedSource;->skip(J)V -PLokio/RealBufferedSource$inputStream$1;->(Lokio/RealBufferedSource;)V -HPLokio/RealBufferedSource$inputStream$1;->read([BII)I Lokio/Segment; HSPLokio/Segment;->()V HSPLokio/Segment;->()V -HSPLokio/Segment;->([BIIZZ)V +HPLokio/Segment;->([BIIZZ)V HPLokio/Segment;->compact()V HPLokio/Segment;->pop()Lokio/Segment; HPLokio/Segment;->push(Lokio/Segment;)Lokio/Segment; PLokio/Segment;->sharedCopy()Lokio/Segment; -PLokio/Segment;->split(I)Lokio/Segment; +HPLokio/Segment;->split(I)Lokio/Segment; HPLokio/Segment;->writeTo(Lokio/Segment;I)V Lokio/Segment$Companion; HSPLokio/Segment$Companion;->()V @@ -20919,7 +21842,7 @@ PLokio/Timeout$Companion$NONE$1;->throwIfReached()V PLokio/Utf8;->size$default(Ljava/lang/String;IIILjava/lang/Object;)J PLokio/Utf8;->size(Ljava/lang/String;II)J Lokio/_JvmPlatformKt; -HSPLokio/_JvmPlatformKt;->asUtf8ToByteArray(Ljava/lang/String;)[B +HPLokio/_JvmPlatformKt;->asUtf8ToByteArray(Ljava/lang/String;)[B PLokio/_JvmPlatformKt;->newLock()Ljava/util/concurrent/locks/ReentrantLock; HPLokio/_JvmPlatformKt;->toUtf8String([B)Ljava/lang/String; PLokio/internal/-Buffer;->()V @@ -20932,8 +21855,8 @@ HSPLokio/internal/-ByteString;->access$decodeHexDigit(C)I HPLokio/internal/-ByteString;->commonWrite(Lokio/ByteString;Lokio/Buffer;II)V HSPLokio/internal/-ByteString;->decodeHexDigit(C)I PLokio/internal/-ByteString;->getHEX_DIGIT_CHARS()[C -PLokio/internal/-FileSystem;->commonCreateDirectories(Lokio/FileSystem;Lokio/Path;Z)V -PLokio/internal/-FileSystem;->commonExists(Lokio/FileSystem;Lokio/Path;)Z +HPLokio/internal/-FileSystem;->commonCreateDirectories(Lokio/FileSystem;Lokio/Path;Z)V +HPLokio/internal/-FileSystem;->commonExists(Lokio/FileSystem;Lokio/Path;)Z PLokio/internal/-FileSystem;->commonMetadata(Lokio/FileSystem;Lokio/Path;)Lokio/FileMetadata; PLokio/internal/-Path;->()V PLokio/internal/-Path;->access$getBACKSLASH$p()Lokio/ByteString; @@ -20942,12 +21865,12 @@ PLokio/internal/-Path;->access$getIndexOfLastSlash(Lokio/Path;)I PLokio/internal/-Path;->access$getSLASH$p()Lokio/ByteString; PLokio/internal/-Path;->access$lastSegmentIsDotDot(Lokio/Path;)Z PLokio/internal/-Path;->access$rootLength(Lokio/Path;)I -PLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; +HPLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; PLokio/internal/-Path;->commonToPath(Ljava/lang/String;Z)Lokio/Path; PLokio/internal/-Path;->getIndexOfLastSlash(Lokio/Path;)I PLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; PLokio/internal/-Path;->lastSegmentIsDotDot(Lokio/Path;)Z -PLokio/internal/-Path;->rootLength(Lokio/Path;)I +HPLokio/internal/-Path;->rootLength(Lokio/Path;)I PLokio/internal/-Path;->startsWithVolumeLetterAndColon(Lokio/Buffer;Lokio/ByteString;)Z HPLokio/internal/-Path;->toPath(Lokio/Buffer;Z)Lokio/Path; PLokio/internal/-Path;->toSlash(B)Lokio/ByteString; diff --git a/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt b/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt index d06ac08f2..dd4fc5ee4 100644 --- a/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt +++ b/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt @@ -53,37 +53,26 @@ Landroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl$$External HSPLandroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl$$ExternalSyntheticLambda0;->(Landroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl;)V HSPLandroidx/activity/ComponentActivity$ReportFullyDrawnExecutorApi16Impl$$ExternalSyntheticLambda0;->run()V Landroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0; +HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1()Landroid/graphics/BlendMode; PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/Canvas;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/Insets;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;F)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;I)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/view/Window;Z)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/Insets;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;F)Z -PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;I)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/Insets;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;F)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$4()Landroid/graphics/BlendMode; -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;)I -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;)F -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m$7()Landroid/graphics/BlendMode; -HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m()Landroid/graphics/BlendMode; HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m()V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(ILandroid/graphics/BlendMode;)Landroid/graphics/BlendModeColorFilter; HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/content/res/Configuration;)I PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;)V -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;Landroid/graphics/RenderNode;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Insets;)I HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Paint;Landroid/graphics/BlendMode;)V -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)I HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;I)Z +PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;)V +HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/translation/ViewTranslationCallback;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Z)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/Window;Z)V +HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Ljava/lang/Object;)Landroid/view/translation/ViewTranslationCallback; Landroidx/activity/EdgeToEdge; HSPLandroidx/activity/EdgeToEdge;->()V HSPLandroidx/activity/EdgeToEdge;->enable$default(Landroidx/activity/ComponentActivity;Landroidx/activity/SystemBarStyle;Landroidx/activity/SystemBarStyle;ILjava/lang/Object;)V @@ -113,7 +102,7 @@ PLandroidx/activity/OnBackPressedCallback;->getEnabledChangedCallback$activity_r HSPLandroidx/activity/OnBackPressedCallback;->isEnabled()Z PLandroidx/activity/OnBackPressedCallback;->remove()V PLandroidx/activity/OnBackPressedCallback;->removeCancellable(Landroidx/activity/Cancellable;)V -HSPLandroidx/activity/OnBackPressedCallback;->setEnabled(Z)V +HPLandroidx/activity/OnBackPressedCallback;->setEnabled(Z)V HSPLandroidx/activity/OnBackPressedCallback;->setEnabledChangedCallback$activity_release(Lkotlin/jvm/functions/Function0;)V Landroidx/activity/OnBackPressedDispatcher; HSPLandroidx/activity/OnBackPressedDispatcher;->(Ljava/lang/Runnable;)V @@ -163,7 +152,7 @@ HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner;->get(Landroid/view/View;) Landroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->()V HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->()V -HPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->()V @@ -452,7 +441,7 @@ HSPLandroidx/appcompat/widget/ContentFrameLayout;->getMinWidthMajor()Landroid/ut HSPLandroidx/appcompat/widget/ContentFrameLayout;->getMinWidthMinor()Landroid/util/TypedValue; HSPLandroidx/appcompat/widget/ContentFrameLayout;->onAttachedToWindow()V PLandroidx/appcompat/widget/ContentFrameLayout;->onDetachedFromWindow()V -HSPLandroidx/appcompat/widget/ContentFrameLayout;->onMeasure(II)V +HPLandroidx/appcompat/widget/ContentFrameLayout;->onMeasure(II)V HSPLandroidx/appcompat/widget/ContentFrameLayout;->setAttachListener(Landroidx/appcompat/widget/ContentFrameLayout$OnAttachListener;)V HSPLandroidx/appcompat/widget/ContentFrameLayout;->setDecorPadding(IIII)V Landroidx/appcompat/widget/ContentFrameLayout$OnAttachListener; @@ -535,7 +524,7 @@ HPLandroidx/arch/core/internal/SafeIterableMap;->newest()Ljava/util/Map$Entry; HPLandroidx/arch/core/internal/SafeIterableMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Landroidx/arch/core/internal/SafeIterableMap$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->putIfAbsent(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/arch/core/internal/SafeIterableMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/arch/core/internal/SafeIterableMap;->size()I +HPLandroidx/arch/core/internal/SafeIterableMap;->size()I Landroidx/arch/core/internal/SafeIterableMap$AscendingIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$AscendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V @@ -555,7 +544,7 @@ Landroidx/arch/core/internal/SafeIterableMap$ListIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->hasNext()Z PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/lang/Object; -HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; +PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->supportRemove(Landroidx/arch/core/internal/SafeIterableMap$Entry;)V Landroidx/arch/core/internal/SafeIterableMap$SupportRemove; @@ -563,53 +552,184 @@ HSPLandroidx/arch/core/internal/SafeIterableMap$SupportRemove;->()V Landroidx/collection/ArrayMap; HSPLandroidx/collection/ArrayMap;->()V Landroidx/collection/ArraySet; -HSPLandroidx/collection/ArraySet;->()V HSPLandroidx/collection/ArraySet;->()V HSPLandroidx/collection/ArraySet;->(I)V +HSPLandroidx/collection/ArraySet;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/collection/ArraySet;->add(Ljava/lang/Object;)Z -HSPLandroidx/collection/ArraySet;->allocArrays(I)V -PLandroidx/collection/ArraySet;->binarySearch(I)I PLandroidx/collection/ArraySet;->clear()V -HSPLandroidx/collection/ArraySet;->freeArrays([I[Ljava/lang/Object;I)V -HSPLandroidx/collection/ArraySet;->indexOf(Ljava/lang/Object;I)I +HSPLandroidx/collection/ArraySet;->getArray$collection()[Ljava/lang/Object; +HSPLandroidx/collection/ArraySet;->getHashes$collection()[I +HSPLandroidx/collection/ArraySet;->get_size$collection()I HSPLandroidx/collection/ArraySet;->iterator()Ljava/util/Iterator; PLandroidx/collection/ArraySet;->removeAt(I)Ljava/lang/Object; +HSPLandroidx/collection/ArraySet;->setArray$collection([Ljava/lang/Object;)V +HSPLandroidx/collection/ArraySet;->setHashes$collection([I)V +HSPLandroidx/collection/ArraySet;->set_size$collection(I)V PLandroidx/collection/ArraySet;->toArray()[Ljava/lang/Object; PLandroidx/collection/ArraySet;->valueAt(I)Ljava/lang/Object; Landroidx/collection/ArraySet$ElementIterator; HSPLandroidx/collection/ArraySet$ElementIterator;->(Landroidx/collection/ArraySet;)V PLandroidx/collection/ArraySet$ElementIterator;->elementAt(I)Ljava/lang/Object; PLandroidx/collection/ArraySet$ElementIterator;->removeAt(I)V -Landroidx/collection/ContainerHelpers; -HSPLandroidx/collection/ContainerHelpers;->()V -PLandroidx/collection/ContainerHelpers;->binarySearch([III)I -HSPLandroidx/collection/ContainerHelpers;->idealByteArraySize(I)I -HSPLandroidx/collection/ContainerHelpers;->idealIntArraySize(I)I +Landroidx/collection/ArraySetKt; +HSPLandroidx/collection/ArraySetKt;->allocArrays(Landroidx/collection/ArraySet;I)V +PLandroidx/collection/ArraySetKt;->binarySearchInternal(Landroidx/collection/ArraySet;I)I +HSPLandroidx/collection/ArraySetKt;->indexOf(Landroidx/collection/ArraySet;Ljava/lang/Object;I)I Landroidx/collection/IndexBasedArrayIterator; HSPLandroidx/collection/IndexBasedArrayIterator;->(I)V HSPLandroidx/collection/IndexBasedArrayIterator;->hasNext()Z PLandroidx/collection/IndexBasedArrayIterator;->next()Ljava/lang/Object; PLandroidx/collection/IndexBasedArrayIterator;->remove()V +PLandroidx/collection/IntIntMap;->()V +PLandroidx/collection/IntIntMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/collection/IntIntMap;->getCapacity()I +Landroidx/collection/IntObjectMap; +HSPLandroidx/collection/IntObjectMap;->()V +HSPLandroidx/collection/IntObjectMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/IntObjectMap;->getCapacity()I +Landroidx/collection/IntObjectMapKt; +HSPLandroidx/collection/IntObjectMapKt;->()V +HSPLandroidx/collection/IntObjectMapKt;->mutableIntObjectMapOf()Landroidx/collection/MutableIntObjectMap; +Landroidx/collection/IntSet; +HSPLandroidx/collection/IntSet;->()V +HSPLandroidx/collection/IntSet;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/IntSet;->getCapacity()I +Landroidx/collection/IntSetKt; +HSPLandroidx/collection/IntSetKt;->()V +HPLandroidx/collection/IntSetKt;->getEmptyIntArray()[I Landroidx/collection/LongSparseArray; +HSPLandroidx/collection/LongSparseArray;->(I)V +HSPLandroidx/collection/LongSparseArray;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/collection/LruCache; HSPLandroidx/collection/LruCache;->(I)V +PLandroidx/collection/MutableIntIntMap;->(I)V +PLandroidx/collection/MutableIntIntMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/collection/MutableIntIntMap;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableIntIntMap;->findInsertIndex(I)I +PLandroidx/collection/MutableIntIntMap;->initializeGrowth()V +PLandroidx/collection/MutableIntIntMap;->initializeMetadata(I)V +PLandroidx/collection/MutableIntIntMap;->initializeStorage(I)V +PLandroidx/collection/MutableIntIntMap;->set(II)V +Landroidx/collection/MutableIntObjectMap; +HSPLandroidx/collection/MutableIntObjectMap;->(I)V +HSPLandroidx/collection/MutableIntObjectMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/MutableIntObjectMap;->findAbsoluteInsertIndex(I)I +HSPLandroidx/collection/MutableIntObjectMap;->findFirstAvailableSlot(I)I +HSPLandroidx/collection/MutableIntObjectMap;->initializeGrowth()V +HSPLandroidx/collection/MutableIntObjectMap;->initializeMetadata(I)V +HSPLandroidx/collection/MutableIntObjectMap;->initializeStorage(I)V +HSPLandroidx/collection/MutableIntObjectMap;->set(ILjava/lang/Object;)V +Landroidx/collection/MutableIntSet; +HSPLandroidx/collection/MutableIntSet;->(I)V +HSPLandroidx/collection/MutableIntSet;->initializeGrowth()V +HSPLandroidx/collection/MutableIntSet;->initializeMetadata(I)V +HSPLandroidx/collection/MutableIntSet;->initializeStorage(I)V +Landroidx/collection/MutableObjectIntMap; +HPLandroidx/collection/MutableObjectIntMap;->(I)V +HPLandroidx/collection/MutableObjectIntMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/MutableObjectIntMap;->adjustStorage()V +HPLandroidx/collection/MutableObjectIntMap;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableObjectIntMap;->findIndex(Ljava/lang/Object;)I +HPLandroidx/collection/MutableObjectIntMap;->initializeGrowth()V +HPLandroidx/collection/MutableObjectIntMap;->initializeMetadata(I)V +HPLandroidx/collection/MutableObjectIntMap;->initializeStorage(I)V +HPLandroidx/collection/MutableObjectIntMap;->put(Ljava/lang/Object;II)I +HPLandroidx/collection/MutableObjectIntMap;->removeValueAt(I)V +HPLandroidx/collection/MutableObjectIntMap;->resizeStorage(I)V +HPLandroidx/collection/MutableObjectIntMap;->set(Ljava/lang/Object;I)V +Landroidx/collection/MutableScatterMap; +HPLandroidx/collection/MutableScatterMap;->(I)V +HPLandroidx/collection/MutableScatterMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/MutableScatterMap;->adjustStorage()V +HPLandroidx/collection/MutableScatterMap;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableScatterMap;->findInsertIndex(Ljava/lang/Object;)I +HPLandroidx/collection/MutableScatterMap;->initializeGrowth()V +HPLandroidx/collection/MutableScatterMap;->initializeMetadata(I)V +HPLandroidx/collection/MutableScatterMap;->initializeStorage(I)V +HPLandroidx/collection/MutableScatterMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/collection/MutableScatterMap;->removeValueAt(I)Ljava/lang/Object; +HPLandroidx/collection/MutableScatterMap;->resizeStorage(I)V +HPLandroidx/collection/MutableScatterMap;->set(Ljava/lang/Object;Ljava/lang/Object;)V +Landroidx/collection/MutableScatterSet; +HPLandroidx/collection/MutableScatterSet;->(I)V +HPLandroidx/collection/MutableScatterSet;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/MutableScatterSet;->add(Ljava/lang/Object;)Z +HPLandroidx/collection/MutableScatterSet;->adjustStorage()V +HPLandroidx/collection/MutableScatterSet;->clear()V +HPLandroidx/collection/MutableScatterSet;->findAbsoluteInsertIndex(Ljava/lang/Object;)I +HPLandroidx/collection/MutableScatterSet;->findFirstAvailableSlot(I)I +HPLandroidx/collection/MutableScatterSet;->initializeGrowth()V +HPLandroidx/collection/MutableScatterSet;->initializeMetadata(I)V +HPLandroidx/collection/MutableScatterSet;->initializeStorage(I)V +HPLandroidx/collection/MutableScatterSet;->plusAssign(Ljava/lang/Object;)V +HPLandroidx/collection/MutableScatterSet;->remove(Ljava/lang/Object;)Z +HPLandroidx/collection/MutableScatterSet;->removeElementAt(I)V +HPLandroidx/collection/MutableScatterSet;->resizeStorage(I)V +Landroidx/collection/ObjectIntMap; +HPLandroidx/collection/ObjectIntMap;->()V +HPLandroidx/collection/ObjectIntMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/ObjectIntMap;->equals(Ljava/lang/Object;)Z +HPLandroidx/collection/ObjectIntMap;->findKeyIndex(Ljava/lang/Object;)I +HPLandroidx/collection/ObjectIntMap;->getCapacity()I +HSPLandroidx/collection/ObjectIntMap;->getOrDefault(Ljava/lang/Object;I)I +HSPLandroidx/collection/ObjectIntMap;->getSize()I +HSPLandroidx/collection/ObjectIntMap;->isNotEmpty()Z +Landroidx/collection/ObjectIntMapKt; +HSPLandroidx/collection/ObjectIntMapKt;->()V +HPLandroidx/collection/ObjectIntMapKt;->emptyObjectIntMap()Landroidx/collection/ObjectIntMap; +Landroidx/collection/ScatterMap; +HPLandroidx/collection/ScatterMap;->()V +HPLandroidx/collection/ScatterMap;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/ScatterMap;->containsKey(Ljava/lang/Object;)Z +HPLandroidx/collection/ScatterMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/collection/ScatterMap;->getCapacity()I +PLandroidx/collection/ScatterMap;->isEmpty()Z +HSPLandroidx/collection/ScatterMap;->isNotEmpty()Z +Landroidx/collection/ScatterMapKt; +HSPLandroidx/collection/ScatterMapKt;->()V +HPLandroidx/collection/ScatterMapKt;->loadedCapacity(I)I +HPLandroidx/collection/ScatterMapKt;->mutableScatterMapOf()Landroidx/collection/MutableScatterMap; +HSPLandroidx/collection/ScatterMapKt;->nextCapacity(I)I +HPLandroidx/collection/ScatterMapKt;->normalizeCapacity(I)I +HPLandroidx/collection/ScatterMapKt;->unloadedCapacity(I)I +Landroidx/collection/ScatterSet; +HPLandroidx/collection/ScatterSet;->()V +HPLandroidx/collection/ScatterSet;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/collection/ScatterSet;->contains(Ljava/lang/Object;)Z +HPLandroidx/collection/ScatterSet;->getCapacity()I +HPLandroidx/collection/ScatterSet;->getSize()I +HSPLandroidx/collection/ScatterSet;->isEmpty()Z +PLandroidx/collection/ScatterSetKt;->()V +HPLandroidx/collection/ScatterSetKt;->mutableScatterSetOf()Landroidx/collection/MutableScatterSet; Landroidx/collection/SimpleArrayMap; HSPLandroidx/collection/SimpleArrayMap;->()V +HSPLandroidx/collection/SimpleArrayMap;->(I)V +HSPLandroidx/collection/SimpleArrayMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/collection/SimpleArrayMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/collection/SimpleArrayMap;->getOrDefault(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/collection/SimpleArrayMap;->indexOf(Ljava/lang/Object;I)I HSPLandroidx/collection/SimpleArrayMap;->indexOfKey(Ljava/lang/Object;)I PLandroidx/collection/SimpleArrayMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/collection/SparseArrayCompat; -HSPLandroidx/collection/SparseArrayCompat;->()V -HSPLandroidx/collection/SparseArrayCompat;->()V HSPLandroidx/collection/SparseArrayCompat;->(I)V +HSPLandroidx/collection/SparseArrayCompat;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/collection/SparseArrayCompat;->keyAt(I)I +HSPLandroidx/collection/SparseArrayCompat;->put(ILjava/lang/Object;)V +Landroidx/collection/internal/ContainerHelpersKt; +HSPLandroidx/collection/internal/ContainerHelpersKt;->()V +HSPLandroidx/collection/internal/ContainerHelpersKt;->binarySearch([III)I +HSPLandroidx/collection/internal/ContainerHelpersKt;->idealByteArraySize(I)I +HSPLandroidx/collection/internal/ContainerHelpersKt;->idealIntArraySize(I)I +HSPLandroidx/collection/internal/ContainerHelpersKt;->idealLongArraySize(I)I +Landroidx/collection/internal/Lock; +HSPLandroidx/collection/internal/Lock;->()V +Landroidx/collection/internal/LruHashMap; +HSPLandroidx/collection/internal/LruHashMap;->(IF)V Landroidx/compose/animation/AnimatedContentKt; HPLandroidx/compose/animation/AnimatedContentKt;->AnimatedContent(Landroidx/compose/animation/core/Transition;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/animation/AnimatedContentKt;->AnimatedContent(Ljava/lang/Object;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Ljava/lang/String;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V HSPLandroidx/compose/animation/AnimatedContentKt;->SizeTransform$default(ZLkotlin/jvm/functions/Function2;ILjava/lang/Object;)Landroidx/compose/animation/SizeTransform; HSPLandroidx/compose/animation/AnimatedContentKt;->SizeTransform(ZLkotlin/jvm/functions/Function2;)Landroidx/compose/animation/SizeTransform; -HPLandroidx/compose/animation/AnimatedContentKt;->togetherWith(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;)Landroidx/compose/animation/ContentTransform; +HSPLandroidx/compose/animation/AnimatedContentKt;->togetherWith(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;)Landroidx/compose/animation/ContentTransform; Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$2; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$2;->()V HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$2;->()V @@ -617,7 +737,7 @@ HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$2;->invoke(Ljav Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$3; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$3;->(Ljava/lang/Object;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Ljava/lang/String;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;II)V Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;ILkotlin/jvm/functions/Function1;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;)V HPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$1; @@ -632,17 +752,21 @@ Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3;->(Ljava/lang/Object;)V HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4;->(Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Ljava/lang/Object;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;I)V -HPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4;->invoke(Landroidx/compose/animation/AnimatedVisibilityScope;Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V -PLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1$invoke$$inlined$onDispose$1;->dispose()V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->(Landroidx/compose/animation/ExitTransition;)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Landroidx/compose/animation/EnterExitState;Landroidx/compose/animation/EnterExitState;)Ljava/lang/Boolean; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$4$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5;->(Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;Ljava/lang/Object;Landroidx/compose/runtime/snapshots/SnapshotStateList;Lkotlin/jvm/functions/Function4;)V +HPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5;->invoke(Landroidx/compose/animation/AnimatedVisibilityScope;Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1$invoke$$inlined$onDispose$1; +HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;Ljava/lang/Object;Landroidx/compose/animation/AnimatedContentTransitionScopeImpl;)V +PLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$6$1$5$1$invoke$$inlined$onDispose$1;->dispose()V Landroidx/compose/animation/AnimatedContentKt$AnimatedContent$9; HSPLandroidx/compose/animation/AnimatedContentKt$AnimatedContent$9;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;II)V Landroidx/compose/animation/AnimatedContentKt$SizeTransform$1; @@ -661,19 +785,21 @@ Landroidx/compose/animation/AnimatedContentScopeImpl; HSPLandroidx/compose/animation/AnimatedContentScopeImpl;->(Landroidx/compose/animation/AnimatedVisibilityScope;)V Landroidx/compose/animation/AnimatedContentTransitionScope; Landroidx/compose/animation/AnimatedContentTransitionScopeImpl; +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->()V HPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->createSizeAnimationModifier$animation_release(Landroidx/compose/animation/ContentTransform;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->createSizeAnimationModifier$lambda$2(Landroidx/compose/runtime/MutableState;)Z HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->createSizeAnimationModifier$lambda$3(Landroidx/compose/runtime/MutableState;Z)V -HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getContentAlignment$animation_release()Landroidx/compose/ui/Alignment; +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getContentAlignment()Landroidx/compose/ui/Alignment; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getInitialState()Ljava/lang/Object; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getTargetSizeMap$animation_release()Ljava/util/Map; HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->getTargetState()Ljava/lang/Object; -HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setContentAlignment$animation_release(Landroidx/compose/ui/Alignment;)V +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setContentAlignment(Landroidx/compose/ui/Alignment;)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setLayoutDirection$animation_release(Landroidx/compose/ui/unit/LayoutDirection;)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->setMeasuredSize-ozmzZPI$animation_release(J)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl;->using(Landroidx/compose/animation/ContentTransform;Landroidx/compose/animation/SizeTransform;)Landroidx/compose/animation/ContentTransform; Landroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData; +HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->()V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->(Z)V HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->isTarget()Z HSPLandroidx/compose/animation/AnimatedContentTransitionScopeImpl$ChildData;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; @@ -686,27 +812,35 @@ HSPLandroidx/compose/animation/AnimatedEnterExitMeasurePolicy$measure$1;-> HSPLandroidx/compose/animation/AnimatedEnterExitMeasurePolicy$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/animation/AnimatedEnterExitMeasurePolicy$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedVisibilityKt; -HPLandroidx/compose/animation/AnimatedVisibilityKt;->AnimatedEnterExitImpl(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/animation/AnimatedVisibilityKt;->AnimatedVisibility(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V +HPLandroidx/compose/animation/AnimatedVisibilityKt;->AnimatedEnterExitImpl(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function2;Landroidx/compose/animation/OnLookaheadMeasured;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt;->access$getExitFinished(Landroidx/compose/animation/core/Transition;)Z +HSPLandroidx/compose/animation/AnimatedVisibilityKt;->getExitFinished(Landroidx/compose/animation/core/Transition;)Z HPLandroidx/compose/animation/AnimatedVisibilityKt;->targetEnterExit(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/EnterExitState; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -HPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1;->(Landroidx/compose/animation/core/Transition;)V -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1;->invoke()Ljava/lang/Boolean; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$1;->invoke()Ljava/lang/Object; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2;->(Landroidx/compose/runtime/MutableState;)V -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$1$1$2;->emit(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; -Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$2; -HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$2;->(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function3;I)V +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$4; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$4;->(Landroidx/compose/animation/core/Transition;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Lkotlin/jvm/functions/Function2;Landroidx/compose/animation/OnLookaheadMeasured;Lkotlin/jvm/functions/Function3;II)V +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Lkotlin/coroutines/Continuation;)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->invoke(Landroidx/compose/runtime/ProduceStateScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1;->(Landroidx/compose/animation/core/Transition;)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1;->invoke()Ljava/lang/Boolean; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$1;->invoke()Ljava/lang/Object; +Landroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2;->(Landroidx/compose/runtime/ProduceStateScope;Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/animation/AnimatedVisibilityKt$AnimatedEnterExitImpl$shouldDisposeAfterExit$2$1$2;->emit(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/animation/AnimatedVisibilityScope; Landroidx/compose/animation/AnimatedVisibilityScopeImpl; +HSPLandroidx/compose/animation/AnimatedVisibilityScopeImpl;->()V HSPLandroidx/compose/animation/AnimatedVisibilityScopeImpl;->(Landroidx/compose/animation/core/Transition;)V HSPLandroidx/compose/animation/AnimatedVisibilityScopeImpl;->getTargetSize$animation_release()Landroidx/compose/runtime/MutableState; +Landroidx/compose/animation/AnimationModifierKt; +HSPLandroidx/compose/animation/AnimationModifierKt;->()V +HSPLandroidx/compose/animation/AnimationModifierKt;->getInvalidSize()J +HSPLandroidx/compose/animation/AnimationModifierKt;->isValid-ozmzZPI(J)Z Landroidx/compose/animation/ColorVectorConverterKt; HSPLandroidx/compose/animation/ColorVectorConverterKt;->()V HSPLandroidx/compose/animation/ColorVectorConverterKt;->getVectorConverter(Landroidx/compose/ui/graphics/Color$Companion;)Lkotlin/jvm/functions/Function1; @@ -718,7 +852,7 @@ HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1;->invoke(L Landroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1; HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->()V HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->()V -HPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$1;->invoke-8_81llA(J)Landroidx/compose/animation/core/AnimationVector4D; Landroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2; HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2;->(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)V @@ -737,7 +871,7 @@ PLandroidx/compose/animation/CrossfadeKt$Crossfade$1;->(Ljava/lang/Object; PLandroidx/compose/animation/CrossfadeKt$Crossfade$3;->()V PLandroidx/compose/animation/CrossfadeKt$Crossfade$3;->()V PLandroidx/compose/animation/CrossfadeKt$Crossfade$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->(Landroidx/compose/animation/core/Transition;ILandroidx/compose/animation/core/FiniteAnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function3;)V +PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/core/FiniteAnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function3;)V PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->access$invoke$lambda$1(Landroidx/compose/runtime/State;)F PLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->invoke$lambda$1(Landroidx/compose/runtime/State;)F HPLandroidx/compose/animation/CrossfadeKt$Crossfade$5$1;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -753,42 +887,57 @@ Landroidx/compose/animation/EnterExitState; HSPLandroidx/compose/animation/EnterExitState;->$values()[Landroidx/compose/animation/EnterExitState; HSPLandroidx/compose/animation/EnterExitState;->()V HSPLandroidx/compose/animation/EnterExitState;->(Ljava/lang/String;I)V +Landroidx/compose/animation/EnterExitTransitionElement; +HSPLandroidx/compose/animation/EnterExitTransitionElement;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/GraphicsLayerBlockForEnterExit;)V +HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/animation/EnterExitTransitionModifierNode; +HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/ui/Modifier$Node; Landroidx/compose/animation/EnterExitTransitionKt; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->$r8$lambda$pdcBkeht65McNmOdPY-G1SsWYlU(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/animation/EnterExitTransitionKt;->()V -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$1(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$2(Landroidx/compose/runtime/MutableState;Z)V -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$4(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier$lambda$5(Landroidx/compose/runtime/MutableState;Z)V +HSPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock$lambda$11(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/GraphicsLayerBlockForEnterExit; HPLandroidx/compose/animation/EnterExitTransitionKt;->createModifier(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeIn$default(Landroidx/compose/animation/core/FiniteAnimationSpec;FILjava/lang/Object;)Landroidx/compose/animation/EnterTransition; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeIn(Landroidx/compose/animation/core/FiniteAnimationSpec;F)Landroidx/compose/animation/EnterTransition; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeOut$default(Landroidx/compose/animation/core/FiniteAnimationSpec;FILjava/lang/Object;)Landroidx/compose/animation/ExitTransition; HSPLandroidx/compose/animation/EnterExitTransitionKt;->fadeOut(Landroidx/compose/animation/core/FiniteAnimationSpec;F)Landroidx/compose/animation/ExitTransition; -HSPLandroidx/compose/animation/EnterExitTransitionKt;->shrinkExpand(Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/animation/EnterExitTransitionKt;->slideInOut(Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveEnter$lambda$4(Landroidx/compose/runtime/MutableState;)Landroidx/compose/animation/EnterTransition; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveEnter$lambda$5(Landroidx/compose/runtime/MutableState;Landroidx/compose/animation/EnterTransition;)V +HPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveEnter(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/EnterTransition; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveExit$lambda$7(Landroidx/compose/runtime/MutableState;)Landroidx/compose/animation/ExitTransition; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveExit$lambda$8(Landroidx/compose/runtime/MutableState;Landroidx/compose/animation/ExitTransition;)V +HPLandroidx/compose/animation/EnterExitTransitionKt;->trackActiveExit(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/ExitTransition; +Landroidx/compose/animation/EnterExitTransitionKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/animation/EnterExitTransitionKt$$ExternalSyntheticLambda0;->(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)V +HSPLandroidx/compose/animation/EnterExitTransitionKt$$ExternalSyntheticLambda0;->init()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$1; HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$1;->()V HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$1;->()V Landroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$2; HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$2;->()V HSPLandroidx/compose/animation/EnterExitTransitionKt$TransformOriginVectorConverter$2;->()V -Landroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1; -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)V -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke$lambda$1(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke$lambda$2(Landroidx/compose/runtime/MutableState;Z)V -HPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/animation/EnterExitTransitionKt$shrinkExpand$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/animation/EnterExitTransitionKt$slideInOut$1; -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Ljava/lang/String;)V -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke$lambda$1(Landroidx/compose/runtime/MutableState;)Z -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke$lambda$2(Landroidx/compose/runtime/MutableState;Z)V -HPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/animation/EnterExitTransitionKt$slideInOut$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1; +HSPLandroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1;->(Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/animation/EnterExitTransitionKt$createGraphicsLayerBlock$1$block$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/EnterExitTransitionModifierNode; +HPLandroidx/compose/animation/EnterExitTransitionModifierNode;->(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/GraphicsLayerBlockForEnterExit;)V +HPLandroidx/compose/animation/EnterExitTransitionModifierNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode;->onAttach()V +Landroidx/compose/animation/EnterExitTransitionModifierNode$measure$2; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$measure$2;->(Landroidx/compose/ui/layout/Placeable;JJLkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$measure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/animation/EnterExitTransitionModifierNode$sizeTransitionSpec$1; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$sizeTransitionSpec$1;->(Landroidx/compose/animation/EnterExitTransitionModifierNode;)V +Landroidx/compose/animation/EnterExitTransitionModifierNode$slideSpec$1; +HSPLandroidx/compose/animation/EnterExitTransitionModifierNode$slideSpec$1;->(Landroidx/compose/animation/EnterExitTransitionModifierNode;)V Landroidx/compose/animation/EnterTransition; HSPLandroidx/compose/animation/EnterTransition;->()V HSPLandroidx/compose/animation/EnterTransition;->()V HSPLandroidx/compose/animation/EnterTransition;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/EnterTransition;->access$getNone$cp()Landroidx/compose/animation/EnterTransition; +HSPLandroidx/compose/animation/EnterTransition;->equals(Ljava/lang/Object;)Z Landroidx/compose/animation/EnterTransition$Companion; HSPLandroidx/compose/animation/EnterTransition$Companion;->()V HSPLandroidx/compose/animation/EnterTransition$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -801,6 +950,7 @@ HSPLandroidx/compose/animation/ExitTransition;->()V HSPLandroidx/compose/animation/ExitTransition;->()V HSPLandroidx/compose/animation/ExitTransition;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/ExitTransition;->access$getNone$cp()Landroidx/compose/animation/ExitTransition; +HSPLandroidx/compose/animation/ExitTransition;->equals(Ljava/lang/Object;)Z Landroidx/compose/animation/ExitTransition$Companion; HSPLandroidx/compose/animation/ExitTransition$Companion;->()V HSPLandroidx/compose/animation/ExitTransition$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -809,20 +959,27 @@ Landroidx/compose/animation/ExitTransitionImpl; HSPLandroidx/compose/animation/ExitTransitionImpl;->(Landroidx/compose/animation/TransitionData;)V HSPLandroidx/compose/animation/ExitTransitionImpl;->getData$animation_release()Landroidx/compose/animation/TransitionData; Landroidx/compose/animation/Fade; +HSPLandroidx/compose/animation/Fade;->()V HSPLandroidx/compose/animation/Fade;->(FLandroidx/compose/animation/core/FiniteAnimationSpec;)V Landroidx/compose/animation/FlingCalculator; +HSPLandroidx/compose/animation/FlingCalculator;->()V HSPLandroidx/compose/animation/FlingCalculator;->(FLandroidx/compose/ui/unit/Density;)V HSPLandroidx/compose/animation/FlingCalculator;->computeDeceleration(Landroidx/compose/ui/unit/Density;)F Landroidx/compose/animation/FlingCalculatorKt; HSPLandroidx/compose/animation/FlingCalculatorKt;->()V HSPLandroidx/compose/animation/FlingCalculatorKt;->access$computeDeceleration(FF)F HSPLandroidx/compose/animation/FlingCalculatorKt;->computeDeceleration(FF)F +Landroidx/compose/animation/GraphicsLayerBlockForEnterExit; +Landroidx/compose/animation/LayoutModifierNodeWithPassThroughIntrinsics; +HSPLandroidx/compose/animation/LayoutModifierNodeWithPassThroughIntrinsics;->()V +HSPLandroidx/compose/animation/LayoutModifierNodeWithPassThroughIntrinsics;->()V Landroidx/compose/animation/SingleValueAnimationKt; HSPLandroidx/compose/animation/SingleValueAnimationKt;->()V HPLandroidx/compose/animation/SingleValueAnimationKt;->animateColorAsState-euL9pac(JLandroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)Landroidx/compose/runtime/State; Landroidx/compose/animation/SizeTransform; Landroidx/compose/animation/SizeTransformImpl; HSPLandroidx/compose/animation/SizeTransformImpl;->(ZLkotlin/jvm/functions/Function2;)V +PLandroidx/compose/animation/SplineBasedDecayKt;->splineBasedDecay(Landroidx/compose/ui/unit/Density;)Landroidx/compose/animation/core/DecayAnimationSpec; Landroidx/compose/animation/SplineBasedFloatDecayAnimationSpec; HSPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec;->()V HSPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec;->(Landroidx/compose/ui/unit/Density;)V @@ -831,21 +988,61 @@ HSPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec_androidKt;->getPlatformFlingScrollFriction()F HPLandroidx/compose/animation/SplineBasedFloatDecayAnimationSpec_androidKt;->rememberSplineBasedDecay(Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/core/DecayAnimationSpec; Landroidx/compose/animation/TransitionData; -HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;)V -HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/TransitionData;->()V +HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;ZLjava/util/Map;)V +HSPLandroidx/compose/animation/TransitionData;->(Landroidx/compose/animation/Fade;Landroidx/compose/animation/Slide;Landroidx/compose/animation/ChangeSize;Landroidx/compose/animation/Scale;ZLjava/util/Map;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/TransitionData;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/animation/TransitionData;->getChangeSize()Landroidx/compose/animation/ChangeSize; +HSPLandroidx/compose/animation/TransitionData;->getFade()Landroidx/compose/animation/Fade; +HSPLandroidx/compose/animation/TransitionData;->getScale()Landroidx/compose/animation/Scale; HSPLandroidx/compose/animation/TransitionData;->getSlide()Landroidx/compose/animation/Slide; Landroidx/compose/animation/core/Animatable; HSPLandroidx/compose/animation/core/Animatable;->()V HPLandroidx/compose/animation/core/Animatable;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/String;)V -HSPLandroidx/compose/animation/core/Animatable;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/animation/core/Animatable;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/animation/core/Animatable;->access$clampToBounds(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->access$endAnimation(Landroidx/compose/animation/core/Animatable;)V +PLandroidx/compose/animation/core/Animatable;->access$setRunning(Landroidx/compose/animation/core/Animatable;Z)V +PLandroidx/compose/animation/core/Animatable;->access$setTargetValue(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;)V +PLandroidx/compose/animation/core/Animatable;->animateTo$default(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->animateTo(Ljava/lang/Object;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/animation/core/Animatable;->asState()Landroidx/compose/runtime/State; -HPLandroidx/compose/animation/core/Animatable;->createVector(Ljava/lang/Object;F)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/Animatable;->getTargetValue()Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable;->clampToBounds(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->endAnimation()V +PLandroidx/compose/animation/core/Animatable;->getInternalState$animation_core_release()Landroidx/compose/animation/core/AnimationState; +HSPLandroidx/compose/animation/core/Animatable;->getTargetValue()Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/Animatable;->getValue()Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->getVelocity()Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/Animatable;->isRunning()Z +PLandroidx/compose/animation/core/Animatable;->runAnimation(Landroidx/compose/animation/core/Animation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable;->setRunning(Z)V +PLandroidx/compose/animation/core/Animatable;->setTargetValue(Ljava/lang/Object;)V +PLandroidx/compose/animation/core/Animatable;->snapTo(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->(Landroidx/compose/animation/core/Animatable;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/Ref$BooleanRef;)V +HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Landroidx/compose/animation/core/AnimationScope;)V +HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/Animatable$snapTo$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$snapTo$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/AnimatableKt; +HSPLandroidx/compose/animation/core/AnimatableKt;->()V HSPLandroidx/compose/animation/core/AnimatableKt;->Animatable$default(FFILjava/lang/Object;)Landroidx/compose/animation/core/Animatable; HPLandroidx/compose/animation/core/AnimatableKt;->Animatable(FF)Landroidx/compose/animation/core/Animatable; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getNegativeInfinityBounds1D$p()Landroidx/compose/animation/core/AnimationVector1D; +PLandroidx/compose/animation/core/AnimatableKt;->access$getNegativeInfinityBounds2D$p()Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getNegativeInfinityBounds4D$p()Landroidx/compose/animation/core/AnimationVector4D; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getPositiveInfinityBounds1D$p()Landroidx/compose/animation/core/AnimationVector1D; +PLandroidx/compose/animation/core/AnimatableKt;->access$getPositiveInfinityBounds2D$p()Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimatableKt;->access$getPositiveInfinityBounds4D$p()Landroidx/compose/animation/core/AnimationVector4D; Landroidx/compose/animation/core/AnimateAsStateKt; HSPLandroidx/compose/animation/core/AnimateAsStateKt;->()V HPLandroidx/compose/animation/core/AnimateAsStateKt;->animateFloatAsState(FLandroidx/compose/animation/core/AnimationSpec;FLjava/lang/String;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)Landroidx/compose/runtime/State; @@ -863,7 +1060,26 @@ HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/Animation; -HSPLandroidx/compose/animation/core/Animation;->isFinishedFromNanos(J)Z +HPLandroidx/compose/animation/core/Animation;->isFinishedFromNanos(J)Z +PLandroidx/compose/animation/core/AnimationEndReason;->$values()[Landroidx/compose/animation/core/AnimationEndReason; +PLandroidx/compose/animation/core/AnimationEndReason;->()V +PLandroidx/compose/animation/core/AnimationEndReason;->(Ljava/lang/String;I)V +PLandroidx/compose/animation/core/AnimationKt;->TargetBasedAnimation(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Landroidx/compose/animation/core/TargetBasedAnimation; +PLandroidx/compose/animation/core/AnimationResult;->()V +PLandroidx/compose/animation/core/AnimationResult;->(Landroidx/compose/animation/core/AnimationState;Landroidx/compose/animation/core/AnimationEndReason;)V +PLandroidx/compose/animation/core/AnimationScope;->()V +HPLandroidx/compose/animation/core/AnimationScope;->(Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationVector;JLjava/lang/Object;JZLkotlin/jvm/functions/Function0;)V +PLandroidx/compose/animation/core/AnimationScope;->getFinishedTimeNanos()J +PLandroidx/compose/animation/core/AnimationScope;->getLastFrameTimeNanos()J +PLandroidx/compose/animation/core/AnimationScope;->getStartTimeNanos()J +HPLandroidx/compose/animation/core/AnimationScope;->getValue()Ljava/lang/Object; +PLandroidx/compose/animation/core/AnimationScope;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/AnimationScope;->isRunning()Z +PLandroidx/compose/animation/core/AnimationScope;->setFinishedTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationScope;->setLastFrameTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationScope;->setRunning$animation_core_release(Z)V +PLandroidx/compose/animation/core/AnimationScope;->setValue$animation_core_release(Ljava/lang/Object;)V +PLandroidx/compose/animation/core/AnimationScope;->setVelocityVector$animation_core_release(Landroidx/compose/animation/core/AnimationVector;)V Landroidx/compose/animation/core/AnimationSpec; Landroidx/compose/animation/core/AnimationSpecKt; PLandroidx/compose/animation/core/AnimationSpecKt;->access$convert(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;)Landroidx/compose/animation/core/AnimationVector; @@ -879,8 +1095,19 @@ Landroidx/compose/animation/core/AnimationState; HSPLandroidx/compose/animation/core/AnimationState;->()V HPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZ)V HSPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/animation/core/AnimationState;->getLastFrameTimeNanos()J +PLandroidx/compose/animation/core/AnimationState;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/AnimationState;->getValue()Ljava/lang/Object; +HPLandroidx/compose/animation/core/AnimationState;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/AnimationState;->isRunning()Z +PLandroidx/compose/animation/core/AnimationState;->setFinishedTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationState;->setLastFrameTimeNanos$animation_core_release(J)V +PLandroidx/compose/animation/core/AnimationState;->setRunning$animation_core_release(Z)V +HPLandroidx/compose/animation/core/AnimationState;->setValue$animation_core_release(Ljava/lang/Object;)V +PLandroidx/compose/animation/core/AnimationState;->setVelocityVector$animation_core_release(Landroidx/compose/animation/core/AnimationVector;)V Landroidx/compose/animation/core/AnimationStateKt; +PLandroidx/compose/animation/core/AnimationStateKt;->copy$default(Landroidx/compose/animation/core/AnimationState;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILjava/lang/Object;)Landroidx/compose/animation/core/AnimationState; +PLandroidx/compose/animation/core/AnimationStateKt;->copy(Landroidx/compose/animation/core/AnimationState;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZ)Landroidx/compose/animation/core/AnimationState; HPLandroidx/compose/animation/core/AnimationStateKt;->createZeroVectorFrom(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/AnimationVector; HSPLandroidx/compose/animation/core/AnimationVector;->()V @@ -890,27 +1117,47 @@ Landroidx/compose/animation/core/AnimationVector1D; HSPLandroidx/compose/animation/core/AnimationVector1D;->()V HPLandroidx/compose/animation/core/AnimationVector1D;->(F)V HPLandroidx/compose/animation/core/AnimationVector1D;->get$animation_core_release(I)F -HPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I +HSPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I HSPLandroidx/compose/animation/core/AnimationVector1D;->getValue()F -HPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector1D; -HPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V +HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector1D; +HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/AnimationVector1D;->reset$animation_core_release()V +HSPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V +Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimationVector2D;->()V +HPLandroidx/compose/animation/core/AnimationVector2D;->(FF)V +HPLandroidx/compose/animation/core/AnimationVector2D;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/animation/core/AnimationVector2D;->get$animation_core_release(I)F +PLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I +PLandroidx/compose/animation/core/AnimationVector2D;->getV1()F +PLandroidx/compose/animation/core/AnimationVector2D;->getV2()F +PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector2D; +HPLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/AnimationVector2D;->reset$animation_core_release()V +HPLandroidx/compose/animation/core/AnimationVector2D;->set$animation_core_release(IF)V +Landroidx/compose/animation/core/AnimationVector3D; +HSPLandroidx/compose/animation/core/AnimationVector3D;->()V +HSPLandroidx/compose/animation/core/AnimationVector3D;->(FFF)V Landroidx/compose/animation/core/AnimationVector4D; HSPLandroidx/compose/animation/core/AnimationVector4D;->()V HPLandroidx/compose/animation/core/AnimationVector4D;->(FFFF)V -HSPLandroidx/compose/animation/core/AnimationVector4D;->getSize$animation_core_release()I -HSPLandroidx/compose/animation/core/AnimationVector4D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector4D; -HSPLandroidx/compose/animation/core/AnimationVector4D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/AnimationVector4D;->set$animation_core_release(IF)V +HSPLandroidx/compose/animation/core/AnimationVector4D;->reset$animation_core_release()V Landroidx/compose/animation/core/AnimationVectorsKt; -PLandroidx/compose/animation/core/AnimationVectorsKt;->copy(Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(F)Landroidx/compose/animation/core/AnimationVector1D; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(FF)Landroidx/compose/animation/core/AnimationVector2D; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(FFF)Landroidx/compose/animation/core/AnimationVector3D; +HSPLandroidx/compose/animation/core/AnimationVectorsKt;->AnimationVector(FFFF)Landroidx/compose/animation/core/AnimationVector4D; +HPLandroidx/compose/animation/core/AnimationVectorsKt;->copy(Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/AnimationVectorsKt;->copyFrom(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)V HPLandroidx/compose/animation/core/AnimationVectorsKt;->newInstance(Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/Animations; +PLandroidx/compose/animation/core/ComplexDouble;->()V PLandroidx/compose/animation/core/ComplexDouble;->(DD)V PLandroidx/compose/animation/core/ComplexDouble;->access$get_imaginary$p(Landroidx/compose/animation/core/ComplexDouble;)D PLandroidx/compose/animation/core/ComplexDouble;->access$get_real$p(Landroidx/compose/animation/core/ComplexDouble;)D PLandroidx/compose/animation/core/ComplexDouble;->access$set_imaginary$p(Landroidx/compose/animation/core/ComplexDouble;D)V PLandroidx/compose/animation/core/ComplexDouble;->access$set_real$p(Landroidx/compose/animation/core/ComplexDouble;D)V +PLandroidx/compose/animation/core/ComplexDouble;->getReal()D PLandroidx/compose/animation/core/ComplexDoubleKt;->complexSqrt(D)Landroidx/compose/animation/core/ComplexDouble; Landroidx/compose/animation/core/CubicBezierEasing; HSPLandroidx/compose/animation/core/CubicBezierEasing;->()V @@ -926,22 +1173,25 @@ HSPLandroidx/compose/animation/core/DecayAnimationSpecKt;->generateDecayAnimatio Landroidx/compose/animation/core/DurationBasedAnimationSpec; Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt; +HSPLandroidx/compose/animation/core/EasingKt;->$r8$lambda$7O2TQpsfx-61Y7k3YdwvDNA9V_g(F)F HSPLandroidx/compose/animation/core/EasingKt;->()V +HSPLandroidx/compose/animation/core/EasingKt;->LinearEasing$lambda$0(F)F HSPLandroidx/compose/animation/core/EasingKt;->getFastOutLinearInEasing()Landroidx/compose/animation/core/Easing; HSPLandroidx/compose/animation/core/EasingKt;->getFastOutSlowInEasing()Landroidx/compose/animation/core/Easing; HSPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; -Landroidx/compose/animation/core/EasingKt$LinearEasing$1; -HSPLandroidx/compose/animation/core/EasingKt$LinearEasing$1;->()V -HSPLandroidx/compose/animation/core/EasingKt$LinearEasing$1;->()V -HSPLandroidx/compose/animation/core/EasingKt$LinearEasing$1;->transform(F)F +Landroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->()V +HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F Landroidx/compose/animation/core/FiniteAnimationSpec; Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/FloatDecayAnimationSpec; PLandroidx/compose/animation/core/FloatSpringSpec;->()V -PLandroidx/compose/animation/core/FloatSpringSpec;->(FFF)V +HPLandroidx/compose/animation/core/FloatSpringSpec;->(FFF)V PLandroidx/compose/animation/core/FloatSpringSpec;->(FFFILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/animation/core/FloatSpringSpec;->getDurationNanos(FFF)J PLandroidx/compose/animation/core/FloatSpringSpec;->getEndVelocity(FFF)F +HPLandroidx/compose/animation/core/FloatSpringSpec;->getValueFromNanos(JFFF)F +HPLandroidx/compose/animation/core/FloatSpringSpec;->getVelocityFromNanos(JFFF)F Landroidx/compose/animation/core/FloatTweenSpec; HSPLandroidx/compose/animation/core/FloatTweenSpec;->()V HSPLandroidx/compose/animation/core/FloatTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V @@ -952,7 +1202,7 @@ Landroidx/compose/animation/core/InfiniteAnimationPolicyKt; HPLandroidx/compose/animation/core/InfiniteAnimationPolicyKt;->withInfiniteAnimationFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/animation/core/InfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->()V -HPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V +HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; Landroidx/compose/animation/core/InfiniteTransition; @@ -969,7 +1219,7 @@ HPLandroidx/compose/animation/core/InfiniteTransition;->onFrame(J)V PLandroidx/compose/animation/core/InfiniteTransition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HPLandroidx/compose/animation/core/InfiniteTransition;->run$animation_core_release(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/animation/core/InfiniteTransition;->setRefreshChildNeeded(Z)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V +HPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->(Landroidx/compose/animation/core/InfiniteTransition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getInitialValue$animation_core_release()Ljava/lang/Object; @@ -1004,6 +1254,12 @@ HSPLandroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2;->invoke Landroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2$invoke$$inlined$onDispose$1; HSPLandroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/animation/core/InfiniteTransition;Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V PLandroidx/compose/animation/core/InfiniteTransitionKt$animateValue$2$invoke$$inlined$onDispose$1;->dispose()V +Landroidx/compose/animation/core/KeyframeBaseEntity; +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->()V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;)V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->setEasing$animation_core_release(Landroidx/compose/animation/core/Easing;)V +HSPLandroidx/compose/animation/core/KeyframeBaseEntity;->toPair$animation_core_release(Lkotlin/jvm/functions/Function1;)Lkotlin/Pair; Landroidx/compose/animation/core/KeyframesSpec; HSPLandroidx/compose/animation/core/KeyframesSpec;->()V HSPLandroidx/compose/animation/core/KeyframesSpec;->(Landroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;)V @@ -1013,46 +1269,80 @@ Landroidx/compose/animation/core/KeyframesSpec$KeyframeEntity; HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->()V HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;)V HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->(Ljava/lang/Object;Landroidx/compose/animation/core/Easing;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->setEasing$animation_core_release(Landroidx/compose/animation/core/Easing;)V -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;->toPair$animation_core_release(Lkotlin/jvm/functions/Function1;)Lkotlin/Pair; Landroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig; HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->()V HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->()V +HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->at(Ljava/lang/Object;I)Landroidx/compose/animation/core/KeyframeBaseEntity; HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->at(Ljava/lang/Object;I)Landroidx/compose/animation/core/KeyframesSpec$KeyframeEntity; -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->getDelayMillis()I -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->getDurationMillis()I -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->getKeyframes$animation_core_release()Ljava/util/Map; -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->setDurationMillis(I)V -HSPLandroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;->with(Landroidx/compose/animation/core/KeyframesSpec$KeyframeEntity;Landroidx/compose/animation/core/Easing;)V +Landroidx/compose/animation/core/KeyframesSpecBaseConfig; +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->()V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->()V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->getDelayMillis()I +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->getDurationMillis()I +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->getKeyframes$animation_core_release()Landroidx/collection/MutableIntObjectMap; +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->setDurationMillis(I)V +HSPLandroidx/compose/animation/core/KeyframesSpecBaseConfig;->using(Landroidx/compose/animation/core/KeyframeBaseEntity;Landroidx/compose/animation/core/Easing;)Landroidx/compose/animation/core/KeyframeBaseEntity; +PLandroidx/compose/animation/core/Motion;->constructor-impl(J)J +HPLandroidx/compose/animation/core/Motion;->getValue-impl(J)F +HPLandroidx/compose/animation/core/Motion;->getVelocity-impl(J)F Landroidx/compose/animation/core/MutableTransitionState; HSPLandroidx/compose/animation/core/MutableTransitionState;->()V HPLandroidx/compose/animation/core/MutableTransitionState;->(Ljava/lang/Object;)V HPLandroidx/compose/animation/core/MutableTransitionState;->getCurrentState()Ljava/lang/Object; HSPLandroidx/compose/animation/core/MutableTransitionState;->setCurrentState$animation_core_release(Ljava/lang/Object;)V -HSPLandroidx/compose/animation/core/MutableTransitionState;->setRunning$animation_core_release(Z)V +HSPLandroidx/compose/animation/core/MutableTransitionState;->transitionConfigured$animation_core_release(Landroidx/compose/animation/core/Transition;)V +PLandroidx/compose/animation/core/MutatePriority;->$values()[Landroidx/compose/animation/core/MutatePriority; +PLandroidx/compose/animation/core/MutatePriority;->()V +PLandroidx/compose/animation/core/MutatePriority;->(Ljava/lang/String;I)V +PLandroidx/compose/animation/core/MutationInterruptedException;->()V +PLandroidx/compose/animation/core/MutationInterruptedException;->fillInStackTrace()Ljava/lang/Throwable; Landroidx/compose/animation/core/MutatorMutex; +HSPLandroidx/compose/animation/core/MutatorMutex;->()V HPLandroidx/compose/animation/core/MutatorMutex;->()V +PLandroidx/compose/animation/core/MutatorMutex;->access$getCurrentMutator$p(Landroidx/compose/animation/core/MutatorMutex;)Ljava/util/concurrent/atomic/AtomicReference; +PLandroidx/compose/animation/core/MutatorMutex;->access$getMutex$p(Landroidx/compose/animation/core/MutatorMutex;)Lkotlinx/coroutines/sync/Mutex; +PLandroidx/compose/animation/core/MutatorMutex;->access$tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatorMutex$Mutator;)V +PLandroidx/compose/animation/core/MutatorMutex;->mutate$default(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/MutatorMutex;->mutate(Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V Landroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0; HPLandroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReference;Ljava/lang/Object;Ljava/lang/Object;)Z +PLandroidx/compose/animation/core/MutatorMutex$Mutator;->(Landroidx/compose/animation/core/MutatePriority;Lkotlinx/coroutines/Job;)V +PLandroidx/compose/animation/core/MutatorMutex$Mutator;->canInterrupt(Landroidx/compose/animation/core/MutatorMutex$Mutator;)Z +PLandroidx/compose/animation/core/MutatorMutex$Mutator;->cancel()V +HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->(Landroidx/compose/animation/core/MutatePriority;Landroidx/compose/animation/core/MutatorMutex;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/RepeatMode; HSPLandroidx/compose/animation/core/RepeatMode;->$values()[Landroidx/compose/animation/core/RepeatMode; HSPLandroidx/compose/animation/core/RepeatMode;->()V HSPLandroidx/compose/animation/core/RepeatMode;->(Ljava/lang/String;I)V -PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDurationMillis(DDDDD)J +HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDurationMillis(DDDDD)J PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDurationMillis(FFFFF)J +HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateCriticallyDamped(Landroidx/compose/animation/core/ComplexDouble;DDD)D PLandroidx/compose/animation/core/SpringEstimationKt;->estimateDurationInternal(Landroidx/compose/animation/core/ComplexDouble;Landroidx/compose/animation/core/ComplexDouble;DDDD)J -PLandroidx/compose/animation/core/SpringSimulation;->(F)V +PLandroidx/compose/animation/core/SpringSimulation;->()V +HPLandroidx/compose/animation/core/SpringSimulation;->(F)V PLandroidx/compose/animation/core/SpringSimulation;->getDampingRatio()F PLandroidx/compose/animation/core/SpringSimulation;->getStiffness()F +HPLandroidx/compose/animation/core/SpringSimulation;->init()V PLandroidx/compose/animation/core/SpringSimulation;->setDampingRatio(F)V +HPLandroidx/compose/animation/core/SpringSimulation;->setFinalPosition(F)V PLandroidx/compose/animation/core/SpringSimulation;->setStiffness(F)V +HPLandroidx/compose/animation/core/SpringSimulation;->updateValues-IJZedt4$animation_core_release(FFJ)J +PLandroidx/compose/animation/core/SpringSimulationKt;->()V +HPLandroidx/compose/animation/core/SpringSimulationKt;->Motion(FF)J +PLandroidx/compose/animation/core/SpringSimulationKt;->getUNSET()F Landroidx/compose/animation/core/SpringSpec; HSPLandroidx/compose/animation/core/SpringSpec;->()V HPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;)V HSPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/SpringSpec;->equals(Ljava/lang/Object;)Z PLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; -PLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedSpringSpec; +HPLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedSpringSpec; Landroidx/compose/animation/core/StartOffset; HSPLandroidx/compose/animation/core/StartOffset;->constructor-impl$default(IIILkotlin/jvm/internal/DefaultConstructorMarker;)J HSPLandroidx/compose/animation/core/StartOffset;->constructor-impl(II)J @@ -1066,19 +1356,41 @@ HSPLandroidx/compose/animation/core/StartOffsetType$Companion;->()V HSPLandroidx/compose/animation/core/StartOffsetType$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/core/StartOffsetType$Companion;->getDelay-Eo1U57Q()I Landroidx/compose/animation/core/SuspendAnimationKt; +PLandroidx/compose/animation/core/SuspendAnimationKt;->access$doAnimationFrameWithScale(Landroidx/compose/animation/core/AnimationScope;JFLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt;->animate(Landroidx/compose/animation/core/AnimationState;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/SuspendAnimationKt;->callWithFrameNanos(Landroidx/compose/animation/core/Animation;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/SuspendAnimationKt;->doAnimationFrame(Landroidx/compose/animation/core/AnimationScope;JJLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V +PLandroidx/compose/animation/core/SuspendAnimationKt;->doAnimationFrameWithScale(Landroidx/compose/animation/core/AnimationScope;JFLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/animation/core/SuspendAnimationKt;->getDurationScale(Lkotlin/coroutines/CoroutineContext;)F +HPLandroidx/compose/animation/core/SuspendAnimationKt;->updateState(Landroidx/compose/animation/core/AnimationScope;Landroidx/compose/animation/core/AnimationState;)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$4;->(Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$4;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6;->(Lkotlin/jvm/internal/Ref$ObjectRef;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationState;FLkotlin/jvm/functions/Function1;)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6;->invoke(J)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$6$1;->(Landroidx/compose/animation/core/AnimationState;)V +PLandroidx/compose/animation/core/SuspendAnimationKt$animate$7;->(Landroidx/compose/animation/core/AnimationState;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->(Lkotlin/jvm/internal/Ref$ObjectRef;FLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(J)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/TargetBasedAnimation; HSPLandroidx/compose/animation/core/TargetBasedAnimation;->()V -HPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;)V +HSPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;)V HSPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/TargetBasedAnimation;->(Landroidx/compose/animation/core/VectorizedAnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;)V HPLandroidx/compose/animation/core/TargetBasedAnimation;->getDurationNanos()J HSPLandroidx/compose/animation/core/TargetBasedAnimation;->getTargetValue()Ljava/lang/Object; -HSPLandroidx/compose/animation/core/TargetBasedAnimation;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; +HPLandroidx/compose/animation/core/TargetBasedAnimation;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/TargetBasedAnimation;->getValueFromNanos(J)Ljava/lang/Object; +HPLandroidx/compose/animation/core/TargetBasedAnimation;->getVelocityVectorFromNanos(J)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/TargetBasedAnimation;->isInfinite()Z Landroidx/compose/animation/core/Transition; HSPLandroidx/compose/animation/core/Transition;->()V -HPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/MutableTransitionState;Ljava/lang/String;)V +HSPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/MutableTransitionState;Ljava/lang/String;)V +HPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/TransitionState;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/Transition;->(Ljava/lang/Object;Ljava/lang/String;)V PLandroidx/compose/animation/core/Transition;->addAnimation$animation_core_release(Landroidx/compose/animation/core/Transition$TransitionAnimationState;)Z HSPLandroidx/compose/animation/core/Transition;->addTransition$animation_core_release(Landroidx/compose/animation/core/Transition;)Z @@ -1096,7 +1408,6 @@ HPLandroidx/compose/animation/core/Transition;->onTransitionEnd$animation_core_r HSPLandroidx/compose/animation/core/Transition;->onTransitionStart$animation_core_release(J)V PLandroidx/compose/animation/core/Transition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/Transition$TransitionAnimationState;)V PLandroidx/compose/animation/core/Transition;->removeTransition$animation_core_release(Landroidx/compose/animation/core/Transition;)Z -HSPLandroidx/compose/animation/core/Transition;->setCurrentState$animation_core_release(Ljava/lang/Object;)V HSPLandroidx/compose/animation/core/Transition;->setPlayTimeNanos(J)V HSPLandroidx/compose/animation/core/Transition;->setSeeking$animation_core_release(Z)V HSPLandroidx/compose/animation/core/Transition;->setStartTimeNanos(J)V @@ -1128,8 +1439,8 @@ HSPLandroidx/compose/animation/core/Transition$animateTo$2;->invoke(Landroidx/co HSPLandroidx/compose/animation/core/Transition$animateTo$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/Transition$totalDurationNanos$2; HSPLandroidx/compose/animation/core/Transition$totalDurationNanos$2;->(Landroidx/compose/animation/core/Transition;)V -Landroidx/compose/animation/core/Transition$updateTarget$2; -HSPLandroidx/compose/animation/core/Transition$updateTarget$2;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;I)V +Landroidx/compose/animation/core/Transition$updateTarget$3; +HSPLandroidx/compose/animation/core/Transition$updateTarget$3;->(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;I)V Landroidx/compose/animation/core/TransitionKt; HPLandroidx/compose/animation/core/TransitionKt;->createChildTransitionInternal(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/core/Transition; HPLandroidx/compose/animation/core/TransitionKt;->createTransitionAnimation(Landroidx/compose/animation/core/Transition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/FiniteAnimationSpec;Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; @@ -1153,6 +1464,11 @@ HSPLandroidx/compose/animation/core/TransitionKt$updateTransition$1$1;->invoke(L Landroidx/compose/animation/core/TransitionKt$updateTransition$1$1$invoke$$inlined$onDispose$1; HSPLandroidx/compose/animation/core/TransitionKt$updateTransition$1$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/animation/core/Transition;)V PLandroidx/compose/animation/core/TransitionKt$updateTransition$1$1$invoke$$inlined$onDispose$1;->dispose()V +Landroidx/compose/animation/core/TransitionState; +HSPLandroidx/compose/animation/core/TransitionState;->()V +HSPLandroidx/compose/animation/core/TransitionState;->()V +HSPLandroidx/compose/animation/core/TransitionState;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/animation/core/TransitionState;->setRunning$animation_core_release(Z)V Landroidx/compose/animation/core/TweenSpec; HSPLandroidx/compose/animation/core/TweenSpec;->()V HPLandroidx/compose/animation/core/TweenSpec;->(IILandroidx/compose/animation/core/Easing;)V @@ -1162,12 +1478,12 @@ HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/anim HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedTweenSpec; Landroidx/compose/animation/core/TwoWayConverter; Landroidx/compose/animation/core/TwoWayConverterImpl; -HPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertToVector()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/core/VectorConvertersKt; HSPLandroidx/compose/animation/core/VectorConvertersKt;->()V -HPLandroidx/compose/animation/core/VectorConvertersKt;->TwoWayConverter(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/animation/core/TwoWayConverter; +HSPLandroidx/compose/animation/core/VectorConvertersKt;->TwoWayConverter(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/animation/core/TwoWayConverter; HSPLandroidx/compose/animation/core/VectorConvertersKt;->getVectorConverter(Landroidx/compose/ui/geometry/Offset$Companion;)Landroidx/compose/animation/core/TwoWayConverter; HSPLandroidx/compose/animation/core/VectorConvertersKt;->getVectorConverter(Landroidx/compose/ui/geometry/Rect$Companion;)Landroidx/compose/animation/core/TwoWayConverter; HSPLandroidx/compose/animation/core/VectorConvertersKt;->getVectorConverter(Landroidx/compose/ui/geometry/Size$Companion;)Landroidx/compose/animation/core/TwoWayConverter; @@ -1198,14 +1514,18 @@ HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$1;->invoke(L Landroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V -HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; +HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->()V +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->invoke--gyyYBs(J)Landroidx/compose/animation/core/AnimationVector2D; Landroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->()V +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$2;->invoke-Bjo55l4(Landroidx/compose/animation/core/AnimationVector2D;)J Landroidx/compose/animation/core/VectorConvertersKt$IntSizeToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntSizeToVector$1;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntSizeToVector$1;->()V @@ -1241,24 +1561,27 @@ Landroidx/compose/animation/core/VectorConvertersKt$SizeToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$SizeToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$SizeToVector$2;->()V Landroidx/compose/animation/core/VectorizedAnimationSpec; -HPLandroidx/compose/animation/core/VectorizedAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/VectorizedAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedAnimationSpecKt; -HSPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->access$clampPlayTime(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;J)J PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->access$createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->clampPlayTime(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;J)J PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; HSPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->getValueFromMillis(Landroidx/compose/animation/core/VectorizedAnimationSpec;JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->(Landroidx/compose/animation/core/AnimationVector;FF)V +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatSpringSpec; PLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$2;->(FF)V PLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$2;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; PLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$2;->get(I)Landroidx/compose/animation/core/FloatSpringSpec; Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec; Landroidx/compose/animation/core/VectorizedFiniteAnimationSpec; +PLandroidx/compose/animation/core/VectorizedFiniteAnimationSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedFloatAnimationSpec; HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->()V HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->(Landroidx/compose/animation/core/Animations;)V HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->(Landroidx/compose/animation/core/FloatAnimationSpec;)V -PLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J -PLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J +HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedFloatAnimationSpec$1; @@ -1266,11 +1589,11 @@ HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->(Land HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->()V -HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V +HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->repetitionPlayTimeNanos(J)J HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->repetitionStartVelocity(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedKeyframesSpec; @@ -1278,20 +1601,23 @@ HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->()V HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->(Ljava/util/Map;II)V HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDelayMillis()I HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDurationMillis()I -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->init(Landroidx/compose/animation/core/AnimationVector;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->()V PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/AnimationVector;)V -PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J PLandroidx/compose/animation/core/VectorizedSpringSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedTweenSpec; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->()V -HPLandroidx/compose/animation/core/VectorizedTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V +HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDelayMillis()I HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDurationMillis()I -HPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VisibilityThresholdsKt; HSPLandroidx/compose/animation/core/VisibilityThresholdsKt;->()V @@ -1322,6 +1648,7 @@ Landroidx/compose/foundation/AbstractClickablePointerInputNode$delayPressInterac HSPLandroidx/compose/foundation/AbstractClickablePointerInputNode$delayPressInteraction$1;->(Landroidx/compose/foundation/AbstractClickablePointerInputNode;)V Landroidx/compose/foundation/AbstractClickablePointerInputNode$pointerInputNode$1; HSPLandroidx/compose/foundation/AbstractClickablePointerInputNode$pointerInputNode$1;->(Landroidx/compose/foundation/AbstractClickablePointerInputNode;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->()V HPLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->(Landroid/content/Context;Landroidx/compose/foundation/OverscrollConfiguration;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->access$animateToRelease(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->access$getBottomEffect$p(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;)Landroid/widget/EdgeEffect; @@ -1338,28 +1665,29 @@ PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->access$setCont PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->animateToRelease()V HPLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->drawOverscroll(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->getEffectModifier()Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->getInvalidateCount()I PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;->invalidateOverscroll()V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$effectModifier$1;->(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$onNewSize$1;->(Landroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect;)V PLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$onNewSize$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/foundation/AndroidEdgeEffectOverscrollEffect$onNewSize$1;->invoke-ozmzZPI(J)V -PLandroidx/compose/foundation/AndroidOverscrollKt;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt;->access$getStretchOverscrollNonClippingLayer$p()Landroidx/compose/ui/Modifier; -HPLandroidx/compose/foundation/AndroidOverscrollKt;->rememberOverscrollEffect(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/OverscrollEffect; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1$1;->(Landroidx/compose/ui/layout/Placeable;I)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->()V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2$1;->(Landroidx/compose/ui/layout/Placeable;I)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLandroidx/compose/foundation/AndroidOverscrollKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt;->access$getStretchOverscrollNonClippingLayer$p()Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/AndroidOverscroll_androidKt;->rememberOverscrollEffect(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/OverscrollEffect; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->(Landroidx/compose/ui/layout/Placeable;I)V +HPLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->()V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2$1;->(Landroidx/compose/ui/layout/Placeable;I)V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/Api31Impl;->()V PLandroidx/compose/foundation/Api31Impl;->()V PLandroidx/compose/foundation/Api31Impl;->create(Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/widget/EdgeEffect; @@ -1372,7 +1700,6 @@ HPLandroidx/compose/foundation/BackgroundElement;->create()Landroidx/compose/fou HPLandroidx/compose/foundation/BackgroundElement;->create()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/foundation/BackgroundElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/BackgroundKt; -PLandroidx/compose/foundation/BackgroundKt;->background-bw27NRU$default(Landroidx/compose/ui/Modifier;JLandroidx/compose/ui/graphics/Shape;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/BackgroundKt;->background-bw27NRU(Landroidx/compose/ui/Modifier;JLandroidx/compose/ui/graphics/Shape;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/BackgroundNode; HPLandroidx/compose/foundation/BackgroundNode;->(JLandroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/Shape;)V @@ -1381,7 +1708,7 @@ HPLandroidx/compose/foundation/BackgroundNode;->draw(Landroidx/compose/ui/graphi HPLandroidx/compose/foundation/BackgroundNode;->drawOutline(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V HPLandroidx/compose/foundation/BackgroundNode;->drawRect(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/foundation/CanvasKt; -HPLandroidx/compose/foundation/CanvasKt;->Canvas(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/foundation/CanvasKt;->Canvas(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/CheckScrollableContainerConstraintsKt;->checkScrollableContainerConstraints-K40F9xA(JLandroidx/compose/foundation/gestures/Orientation;)V Landroidx/compose/foundation/ClickableElement; HPLandroidx/compose/foundation/ClickableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)V @@ -1394,14 +1721,20 @@ HSPLandroidx/compose/foundation/ClickableKt;->clickable-O2vRcR0$default(Landroid HPLandroidx/compose/foundation/ClickableKt;->clickable-O2vRcR0(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/Indication;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/ClickableKt;->clickable-XHw0xAI$default(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/ClickableKt;->clickable-XHw0xAI(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt;->combinedClickable-XVZzFYc(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/Indication;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt;->combinedClickable-cJG_KMw$default(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt;->combinedClickable-cJG_KMw(Landroidx/compose/ui/Modifier;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/ClickableKt$clickable$2;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/ClickableKt$clickable$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/ClickableKt$clickable$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/ClickableKt$combinedClickable$2;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V +HPLandroidx/compose/foundation/ClickableKt$combinedClickable$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/ClickableKt$combinedClickable$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/ClickableNode; HPLandroidx/compose/foundation/ClickableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/foundation/ClickableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/foundation/ClickablePointerInputNode; -HPLandroidx/compose/foundation/ClickablePointerInputNode;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/AbstractClickableNode$InteractionData;)V +HSPLandroidx/compose/foundation/ClickablePointerInputNode;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/AbstractClickableNode$InteractionData;)V Landroidx/compose/foundation/ClickableSemanticsNode; HPLandroidx/compose/foundation/ClickableSemanticsNode;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/foundation/ClickableSemanticsNode;->(ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -1411,6 +1744,13 @@ PLandroidx/compose/foundation/ClipScrollableContainerKt;->getMaxSupportedElevati PLandroidx/compose/foundation/ClipScrollableContainerKt$HorizontalScrollableClipModifier$1;->()V PLandroidx/compose/foundation/ClipScrollableContainerKt$VerticalScrollableClipModifier$1;->()V PLandroidx/compose/foundation/ClipScrollableContainerKt$VerticalScrollableClipModifier$1;->createOutline-Pq9zytI(JLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)Landroidx/compose/ui/graphics/Outline; +PLandroidx/compose/foundation/CombinedClickableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V +PLandroidx/compose/foundation/CombinedClickableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/CombinedClickableElement;->create()Landroidx/compose/foundation/CombinedClickableNodeImpl; +PLandroidx/compose/foundation/CombinedClickableElement;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/foundation/CombinedClickableNodeImpl;->(Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;)V +PLandroidx/compose/foundation/CombinedClickableNodeImpl;->(Lkotlin/jvm/functions/Function0;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/interaction/MutableInteractionSource;ZLjava/lang/String;Landroidx/compose/ui/semantics/Role;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/CombinedClickablePointerInputNode;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/AbstractClickableNode$InteractionData;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V Landroidx/compose/foundation/DarkThemeKt; HSPLandroidx/compose/foundation/DarkThemeKt;->isSystemInDarkTheme(Landroidx/compose/runtime/Composer;I)Z Landroidx/compose/foundation/DarkTheme_androidKt; @@ -1435,7 +1775,6 @@ HSPLandroidx/compose/foundation/FocusableInteractionNode;->(Landroidx/comp HSPLandroidx/compose/foundation/FocusableInteractionNode;->setFocus(Z)V Landroidx/compose/foundation/FocusableKt; HSPLandroidx/compose/foundation/FocusableKt;->()V -PLandroidx/compose/foundation/FocusableKt;->focusGroup(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/FocusableKt;->focusable(Landroidx/compose/ui/Modifier;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/FocusableKt;->focusableInNonTouchMode(Landroidx/compose/ui/Modifier;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1; @@ -1443,17 +1782,13 @@ HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->< HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->create()Landroidx/compose/foundation/FocusableInNonTouchMode; HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/FocusableKt$FocusableInNonTouchModeElement$1;->equals(Ljava/lang/Object;)Z -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->()V -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->()V -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->invoke(Landroidx/compose/ui/focus/FocusProperties;)V -PLandroidx/compose/foundation/FocusableKt$focusGroup$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/FocusableKt$focusableInNonTouchMode$1; HPLandroidx/compose/foundation/FocusableKt$focusableInNonTouchMode$1;->(ZLandroidx/compose/foundation/interaction/MutableInteractionSource;)V Landroidx/compose/foundation/FocusableNode; HPLandroidx/compose/foundation/FocusableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/FocusableNode;->onFocusEvent(Landroidx/compose/ui/focus/FocusState;)V -HSPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V -HPLandroidx/compose/foundation/FocusableNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/FocusableNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V Landroidx/compose/foundation/FocusablePinnableContainerNode; HSPLandroidx/compose/foundation/FocusablePinnableContainerNode;->()V PLandroidx/compose/foundation/FocusablePinnableContainerNode;->onReset()V @@ -1463,26 +1798,25 @@ HPLandroidx/compose/foundation/FocusableSemanticsNode;->()V HSPLandroidx/compose/foundation/FocusableSemanticsNode;->setFocus(Z)V PLandroidx/compose/foundation/FocusedBoundsKt;->()V PLandroidx/compose/foundation/FocusedBoundsKt;->getModifierLocalFocusedBoundsObserver()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -PLandroidx/compose/foundation/FocusedBoundsKt;->onFocusedBoundsChanged(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/FocusedBoundsKt$ModifierLocalFocusedBoundsObserver$1;->()V PLandroidx/compose/foundation/FocusedBoundsKt$ModifierLocalFocusedBoundsObserver$1;->()V Landroidx/compose/foundation/FocusedBoundsNode; +HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V -HSPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HSPLandroidx/compose/foundation/FocusedBoundsNode;->setFocus(Z)V -PLandroidx/compose/foundation/FocusedBoundsObserverElement;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/foundation/FocusedBoundsObserverElement;->create()Landroidx/compose/foundation/FocusedBoundsObserverNode; -PLandroidx/compose/foundation/FocusedBoundsObserverElement;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/foundation/FocusedBoundsObserverNode;->()V PLandroidx/compose/foundation/FocusedBoundsObserverNode;->(Lkotlin/jvm/functions/Function1;)V +PLandroidx/compose/foundation/FocusedBoundsObserverNode$focusBoundsObserver$1;->(Landroidx/compose/foundation/FocusedBoundsObserverNode;)V Landroidx/compose/foundation/HoverableElement; -HPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HSPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/foundation/HoverableNode; HSPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/HoverableElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/HoverableKt; HPLandroidx/compose/foundation/HoverableKt;->hoverable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Z)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/HoverableNode; -HPLandroidx/compose/foundation/HoverableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HSPLandroidx/compose/foundation/HoverableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V PLandroidx/compose/foundation/HoverableNode;->onDetach()V PLandroidx/compose/foundation/HoverableNode;->tryEmitExit()V Landroidx/compose/foundation/Indication; @@ -1517,39 +1851,77 @@ PLandroidx/compose/foundation/OverscrollConfiguration;->(JLandroidx/compos PLandroidx/compose/foundation/OverscrollConfiguration;->(JLandroidx/compose/foundation/layout/PaddingValues;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/OverscrollConfiguration;->(JLandroidx/compose/foundation/layout/PaddingValues;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/OverscrollConfiguration;->getGlowColor-0d7_KjU()J -PLandroidx/compose/foundation/OverscrollConfigurationKt;->()V -PLandroidx/compose/foundation/OverscrollConfigurationKt;->getLocalOverscrollConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->()V -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->()V -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->invoke()Landroidx/compose/foundation/OverscrollConfiguration; -PLandroidx/compose/foundation/OverscrollConfigurationKt$LocalOverscrollConfiguration$1;->invoke()Ljava/lang/Object; +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt;->()V +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt;->getLocalOverscrollConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->()V +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->()V +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->invoke()Landroidx/compose/foundation/OverscrollConfiguration; +PLandroidx/compose/foundation/OverscrollConfiguration_androidKt$LocalOverscrollConfiguration$1;->invoke()Ljava/lang/Object; PLandroidx/compose/foundation/OverscrollKt;->overscroll(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/OverscrollEffect;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/ProgressSemanticsKt; HSPLandroidx/compose/foundation/ProgressSemanticsKt;->progressSemantics(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/ProgressSemanticsKt$progressSemantics$2; HSPLandroidx/compose/foundation/ProgressSemanticsKt$progressSemantics$2;->()V HSPLandroidx/compose/foundation/ProgressSemanticsKt$progressSemantics$2;->()V +Landroidx/compose/foundation/gestures/AbstractDragScope; +Landroidx/compose/foundation/gestures/AbstractDraggableNode; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->()V +HPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->(Lkotlin/jvm/functions/Function1;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V +PLandroidx/compose/foundation/gestures/AbstractDraggableNode;->disposeInteractionSource()V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->getEnabled()Z +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->getInteractionSource()Landroidx/compose/foundation/interaction/MutableInteractionSource; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->getReverseDirection()Z +PLandroidx/compose/foundation/gestures/AbstractDraggableNode;->onDetach()V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setCanDrag(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setOnDragStarted(Lkotlin/jvm/functions/Function3;)V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setOnDragStopped(Lkotlin/jvm/functions/Function3;)V +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode;->setStartDragImmediately(Lkotlin/jvm/functions/Function0;)V +Landroidx/compose/foundation/gestures/AbstractDraggableNode$_canDrag$1; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode$_canDrag$1;->(Landroidx/compose/foundation/gestures/AbstractDraggableNode;)V +Landroidx/compose/foundation/gestures/AbstractDraggableNode$_startDragImmediately$1; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode$_startDragImmediately$1;->(Landroidx/compose/foundation/gestures/AbstractDraggableNode;)V +Landroidx/compose/foundation/gestures/AbstractDraggableNode$pointerInputNode$1; +HSPLandroidx/compose/foundation/gestures/AbstractDraggableNode$pointerInputNode$1;->(Landroidx/compose/foundation/gestures/AbstractDraggableNode;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/foundation/gestures/AndroidConfig;->()V PLandroidx/compose/foundation/gestures/AndroidConfig;->()V -PLandroidx/compose/foundation/gestures/AndroidScrollable_androidKt;->platformScrollConfig(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/gestures/ScrollConfig; +PLandroidx/compose/foundation/gestures/AndroidScrollable_androidKt;->platformScrollConfig(Landroidx/compose/ui/node/CompositionLocalConsumerModifierNode;)Landroidx/compose/foundation/gestures/ScrollConfig; +PLandroidx/compose/foundation/gestures/BringIntoViewRequestPriorityQueue;->()V PLandroidx/compose/foundation/gestures/BringIntoViewRequestPriorityQueue;->()V -HPLandroidx/compose/foundation/gestures/ContentInViewModifier;->(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/gestures/ScrollableState;Z)V -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->compareTo-TemP2vQ(JJ)I -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->getModifier()Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V -PLandroidx/compose/foundation/gestures/ContentInViewModifier;->onRemeasured-ozmzZPI(J)V -PLandroidx/compose/foundation/gestures/ContentInViewModifier$WhenMappings;->()V -PLandroidx/compose/foundation/gestures/ContentInViewModifier$modifier$1;->(Landroidx/compose/foundation/gestures/ContentInViewModifier;)V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->getDefaultBringIntoViewSpec$foundation_release()Landroidx/compose/foundation/gestures/BringIntoViewSpec; +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion;->getDefaultScrollAnimationSpec()Landroidx/compose/animation/core/AnimationSpec; +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion$DefaultBringIntoViewSpec$1;->()V +PLandroidx/compose/foundation/gestures/BringIntoViewSpec$Companion$DefaultBringIntoViewSpec$1;->getScrollAnimationSpec()Landroidx/compose/animation/core/AnimationSpec; +PLandroidx/compose/foundation/gestures/ContentInViewNode;->()V +PLandroidx/compose/foundation/gestures/ContentInViewNode;->(Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/gestures/ScrollableState;ZLandroidx/compose/foundation/gestures/BringIntoViewSpec;)V +PLandroidx/compose/foundation/gestures/ContentInViewNode;->compareTo-TemP2vQ(JJ)I +PLandroidx/compose/foundation/gestures/ContentInViewNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V +PLandroidx/compose/foundation/gestures/ContentInViewNode;->onRemeasured-ozmzZPI(J)V +PLandroidx/compose/foundation/gestures/ContentInViewNode$WhenMappings;->()V Landroidx/compose/foundation/gestures/DefaultDraggableState; HSPLandroidx/compose/foundation/gestures/DefaultDraggableState;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/foundation/gestures/DefaultDraggableState$dragScope$1; HSPLandroidx/compose/foundation/gestures/DefaultDraggableState$dragScope$1;->(Landroidx/compose/foundation/gestures/DefaultDraggableState;)V +PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->()V PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->(Landroidx/compose/animation/core/DecayAnimationSpec;Landroidx/compose/ui/MotionDurationScale;)V PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->(Landroidx/compose/animation/core/DecayAnimationSpec;Landroidx/compose/ui/MotionDurationScale;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/gestures/DefaultFlingBehavior;->setFlingDecay(Landroidx/compose/animation/core/DecayAnimationSpec;)V PLandroidx/compose/foundation/gestures/DefaultScrollableState;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/foundation/gestures/DefaultScrollableState$scrollScope$1;->(Landroidx/compose/foundation/gestures/DefaultScrollableState;)V +Landroidx/compose/foundation/gestures/DragGestureDetectorKt; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt;->()V +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt;->toPointerDirectionConfig(Landroidx/compose/foundation/gestures/Orientation;)Landroidx/compose/foundation/gestures/PointerDirectionConfig; +Landroidx/compose/foundation/gestures/DragGestureDetectorKt$BidirectionalPointerDirectionConfig$1; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt$BidirectionalPointerDirectionConfig$1;->()V +Landroidx/compose/foundation/gestures/DragGestureDetectorKt$HorizontalPointerDirectionConfig$1; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt$HorizontalPointerDirectionConfig$1;->()V +Landroidx/compose/foundation/gestures/DragGestureDetectorKt$VerticalPointerDirectionConfig$1; +HSPLandroidx/compose/foundation/gestures/DragGestureDetectorKt$VerticalPointerDirectionConfig$1;->()V Landroidx/compose/foundation/gestures/DragScope; Landroidx/compose/foundation/gestures/DraggableElement; +HSPLandroidx/compose/foundation/gestures/DraggableElement;->()V HPLandroidx/compose/foundation/gestures/DraggableElement;->(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V HSPLandroidx/compose/foundation/gestures/DraggableElement;->create()Landroidx/compose/foundation/gestures/DraggableNode; HSPLandroidx/compose/foundation/gestures/DraggableElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -1557,10 +1929,14 @@ HPLandroidx/compose/foundation/gestures/DraggableElement;->equals(Ljava/lang/Obj HPLandroidx/compose/foundation/gestures/DraggableElement;->update(Landroidx/compose/foundation/gestures/DraggableNode;)V HSPLandroidx/compose/foundation/gestures/DraggableElement;->update(Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/foundation/gestures/DraggableKt; +HSPLandroidx/compose/foundation/gestures/DraggableKt;->()V HSPLandroidx/compose/foundation/gestures/DraggableKt;->DraggableState(Lkotlin/jvm/functions/Function1;)Landroidx/compose/foundation/gestures/DraggableState; +HSPLandroidx/compose/foundation/gestures/DraggableKt;->access$getNoOpDragScope$p()Landroidx/compose/foundation/gestures/DragScope; HSPLandroidx/compose/foundation/gestures/DraggableKt;->draggable$default(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/DraggableState;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;ZLkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;ZILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/gestures/DraggableKt;->draggable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/DraggableState;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;ZLkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/gestures/DraggableKt;->rememberDraggableState(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/gestures/DraggableState; +Landroidx/compose/foundation/gestures/DraggableKt$NoOpDragScope$1; +HSPLandroidx/compose/foundation/gestures/DraggableKt$NoOpDragScope$1;->()V Landroidx/compose/foundation/gestures/DraggableKt$draggable$1; HSPLandroidx/compose/foundation/gestures/DraggableKt$draggable$1;->(Lkotlin/coroutines/Continuation;)V Landroidx/compose/foundation/gestures/DraggableKt$draggable$3; @@ -1573,62 +1949,67 @@ HSPLandroidx/compose/foundation/gestures/DraggableKt$draggable$5;->(Lkotli Landroidx/compose/foundation/gestures/DraggableKt$rememberDraggableState$1$1; HSPLandroidx/compose/foundation/gestures/DraggableKt$rememberDraggableState$1$1;->(Landroidx/compose/runtime/State;)V Landroidx/compose/foundation/gestures/DraggableNode; -HPLandroidx/compose/foundation/gestures/DraggableNode;->(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V -PLandroidx/compose/foundation/gestures/DraggableNode;->disposeInteractionSource()V -PLandroidx/compose/foundation/gestures/DraggableNode;->onDetach()V +HSPLandroidx/compose/foundation/gestures/DraggableNode;->()V +HSPLandroidx/compose/foundation/gestures/DraggableNode;->(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V HPLandroidx/compose/foundation/gestures/DraggableNode;->update(Landroidx/compose/foundation/gestures/DraggableState;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function3;Z)V -Landroidx/compose/foundation/gestures/DraggableNode$_canDrag$1; -HSPLandroidx/compose/foundation/gestures/DraggableNode$_canDrag$1;->(Landroidx/compose/foundation/gestures/DraggableNode;)V -Landroidx/compose/foundation/gestures/DraggableNode$_startDragImmediately$1; -HSPLandroidx/compose/foundation/gestures/DraggableNode$_startDragImmediately$1;->(Landroidx/compose/foundation/gestures/DraggableNode;)V -Landroidx/compose/foundation/gestures/DraggableNode$pointerInputNode$1; -HSPLandroidx/compose/foundation/gestures/DraggableNode$pointerInputNode$1;->(Landroidx/compose/foundation/gestures/DraggableNode;Lkotlin/coroutines/Continuation;)V +Landroidx/compose/foundation/gestures/DraggableNode$abstractDragScope$1; +HSPLandroidx/compose/foundation/gestures/DraggableNode$abstractDragScope$1;->(Landroidx/compose/foundation/gestures/DraggableNode;)V Landroidx/compose/foundation/gestures/DraggableState; -PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->()V -PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->()V -PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->getKey()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -PLandroidx/compose/foundation/gestures/MouseWheelScrollElement;->(Landroidx/compose/runtime/State;Landroidx/compose/foundation/gestures/ScrollConfig;)V -PLandroidx/compose/foundation/gestures/MouseWheelScrollElement;->create()Landroidx/compose/foundation/gestures/MouseWheelScrollNode; -PLandroidx/compose/foundation/gestures/MouseWheelScrollElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/foundation/gestures/MouseWheelScrollNode;->(Landroidx/compose/runtime/State;Landroidx/compose/foundation/gestures/ScrollConfig;)V -PLandroidx/compose/foundation/gestures/MouseWheelScrollNode$pointerInputNode$1;->(Landroidx/compose/foundation/gestures/MouseWheelScrollNode;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/gestures/ModifierLocalScrollableContainerProvider;->(Z)V +PLandroidx/compose/foundation/gestures/MouseWheelScrollNode;->(Landroidx/compose/foundation/gestures/ScrollingLogic;)V +PLandroidx/compose/foundation/gestures/MouseWheelScrollNode;->onAttach()V +PLandroidx/compose/foundation/gestures/MouseWheelScrollNode$1;->(Landroidx/compose/foundation/gestures/MouseWheelScrollNode;Lkotlin/coroutines/Continuation;)V Landroidx/compose/foundation/gestures/Orientation; HSPLandroidx/compose/foundation/gestures/Orientation;->$values()[Landroidx/compose/foundation/gestures/Orientation; HSPLandroidx/compose/foundation/gestures/Orientation;->()V HSPLandroidx/compose/foundation/gestures/Orientation;->(Ljava/lang/String;I)V PLandroidx/compose/foundation/gestures/Orientation;->values()[Landroidx/compose/foundation/gestures/Orientation; -PLandroidx/compose/foundation/gestures/ScrollDraggableState;->(Landroidx/compose/runtime/State;)V +Landroidx/compose/foundation/gestures/PointerDirectionConfig; +PLandroidx/compose/foundation/gestures/ScrollDraggableState;->(Landroidx/compose/foundation/gestures/ScrollingLogic;)V PLandroidx/compose/foundation/gestures/ScrollableDefaults;->()V PLandroidx/compose/foundation/gestures/ScrollableDefaults;->()V +PLandroidx/compose/foundation/gestures/ScrollableDefaults;->bringIntoViewSpec()Landroidx/compose/foundation/gestures/BringIntoViewSpec; PLandroidx/compose/foundation/gestures/ScrollableDefaults;->flingBehavior(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/gestures/FlingBehavior; PLandroidx/compose/foundation/gestures/ScrollableDefaults;->overscrollEffect(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/OverscrollEffect; PLandroidx/compose/foundation/gestures/ScrollableDefaults;->reverseDirection(Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/foundation/gestures/Orientation;Z)Z +PLandroidx/compose/foundation/gestures/ScrollableElement;->(Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;)V +PLandroidx/compose/foundation/gestures/ScrollableElement;->create()Landroidx/compose/foundation/gestures/ScrollableNode; +PLandroidx/compose/foundation/gestures/ScrollableElement;->create()Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/foundation/gestures/ScrollableGesturesNode;->(Landroidx/compose/foundation/gestures/ScrollingLogic;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +PLandroidx/compose/foundation/gestures/ScrollableGesturesNode$onDragStopped$1;->(Landroidx/compose/foundation/gestures/ScrollableGesturesNode;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/gestures/ScrollableGesturesNode$startDragImmediately$1;->(Landroidx/compose/foundation/gestures/ScrollableGesturesNode;)V PLandroidx/compose/foundation/gestures/ScrollableKt;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getCanDragCalculation$p()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getNoOpOnDragStarted$p()Lkotlin/jvm/functions/Function3; PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getNoOpScrollScope$p()Landroidx/compose/foundation/gestures/ScrollScope; -PLandroidx/compose/foundation/gestures/ScrollableKt;->access$pointerScrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt;->access$scrollableNestedScrollConnection(Landroidx/compose/runtime/State;Z)Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection; +PLandroidx/compose/foundation/gestures/ScrollableKt;->access$getUnityDensity$p()Landroidx/compose/foundation/gestures/ScrollableKt$UnityDensity$1; PLandroidx/compose/foundation/gestures/ScrollableKt;->getDefaultScrollMotionDurationScale()Landroidx/compose/ui/MotionDurationScale; PLandroidx/compose/foundation/gestures/ScrollableKt;->getModifierLocalScrollableContainer()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -HPLandroidx/compose/foundation/gestures/ScrollableKt;->pointerScrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollableNestedScrollConnection(Landroidx/compose/runtime/State;Z)Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection; +PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollable$default(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/gestures/ScrollableKt;->scrollable(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/gestures/ScrollableKt$CanDragCalculation$1;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt$CanDragCalculation$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$DefaultScrollMotionDurationScale$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$ModifierLocalScrollableContainer$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$ModifierLocalScrollableContainer$1;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt$NoOpFlingBehavior$1;->()V PLandroidx/compose/foundation/gestures/ScrollableKt$NoOpOnDragStarted$1;->(Lkotlin/coroutines/Continuation;)V PLandroidx/compose/foundation/gestures/ScrollableKt$NoOpScrollScope$1;->()V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$1;->()V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$1;->()V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$2$1;->(Landroidx/compose/runtime/State;)V -PLandroidx/compose/foundation/gestures/ScrollableKt$pointerScrollable$3$1;->(Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/State;Lkotlin/coroutines/Continuation;)V -PLandroidx/compose/foundation/gestures/ScrollableKt$scrollable$2;->(Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/gestures/ScrollableState;ZLandroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;Z)V -HPLandroidx/compose/foundation/gestures/ScrollableKt$scrollable$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/foundation/gestures/ScrollableKt$scrollable$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/gestures/ScrollableKt$scrollableNestedScrollConnection$1;->(Landroidx/compose/runtime/State;Z)V +PLandroidx/compose/foundation/gestures/ScrollableKt$UnityDensity$1;->()V +PLandroidx/compose/foundation/gestures/ScrollableKt$UnityDensity$1;->getDensity()F +PLandroidx/compose/foundation/gestures/ScrollableNestedScrollConnection;->(Landroidx/compose/foundation/gestures/ScrollingLogic;Z)V +HPLandroidx/compose/foundation/gestures/ScrollableNode;->(Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/foundation/gestures/BringIntoViewSpec;)V +PLandroidx/compose/foundation/gestures/ScrollableNode;->applyFocusProperties(Landroidx/compose/ui/focus/FocusProperties;)V +PLandroidx/compose/foundation/gestures/ScrollableNode;->onAttach()V +PLandroidx/compose/foundation/gestures/ScrollableNode;->updateDefaultFlingBehavior()V +PLandroidx/compose/foundation/gestures/ScrollableNode$1;->(Landroidx/compose/foundation/gestures/ScrollableNode;)V +PLandroidx/compose/foundation/gestures/ScrollableNode$onAttach$1;->(Landroidx/compose/foundation/gestures/ScrollableNode;)V +PLandroidx/compose/foundation/gestures/ScrollableNode$onAttach$1;->invoke()Ljava/lang/Object; +PLandroidx/compose/foundation/gestures/ScrollableNode$onAttach$1;->invoke()V PLandroidx/compose/foundation/gestures/ScrollableStateKt;->ScrollableState(Lkotlin/jvm/functions/Function1;)Landroidx/compose/foundation/gestures/ScrollableState; -PLandroidx/compose/foundation/gestures/ScrollingLogic;->(Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/runtime/State;Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/foundation/OverscrollEffect;)V +PLandroidx/compose/foundation/gestures/ScrollingLogic;->(Landroidx/compose/foundation/gestures/ScrollableState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/OverscrollEffect;ZLandroidx/compose/foundation/gestures/FlingBehavior;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V PLandroidx/compose/foundation/gestures/UpdatableAnimationState;->()V -PLandroidx/compose/foundation/gestures/UpdatableAnimationState;->()V +PLandroidx/compose/foundation/gestures/UpdatableAnimationState;->(Landroidx/compose/animation/core/AnimationSpec;)V PLandroidx/compose/foundation/gestures/UpdatableAnimationState$Companion;->()V PLandroidx/compose/foundation/gestures/UpdatableAnimationState$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/foundation/interaction/InteractionSource; @@ -1640,14 +2021,15 @@ HPLandroidx/compose/foundation/interaction/MutableInteractionSourceImpl;-> HSPLandroidx/compose/foundation/interaction/MutableInteractionSourceImpl;->getInteractions()Lkotlinx/coroutines/flow/Flow; HSPLandroidx/compose/foundation/interaction/MutableInteractionSourceImpl;->getInteractions()Lkotlinx/coroutines/flow/MutableSharedFlow; Landroidx/compose/foundation/layout/AndroidWindowInsets; +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->()V HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->(ILjava/lang/String;)V -PLandroidx/compose/foundation/layout/AndroidWindowInsets;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getInsets$foundation_layout_release()Landroidx/core/graphics/Insets; -HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I -HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->getTop(Landroidx/compose/ui/unit/Density;)I -HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->setInsets$foundation_layout_release(Landroidx/core/graphics/Insets;)V +HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->setInsets$foundation_layout_release(Landroidx/core/graphics/Insets;)V HSPLandroidx/compose/foundation/layout/AndroidWindowInsets;->setVisible(Z)V HPLandroidx/compose/foundation/layout/AndroidWindowInsets;->update$foundation_layout_release(Landroidx/core/view/WindowInsetsCompat;I)V Landroidx/compose/foundation/layout/Arrangement; @@ -1657,10 +2039,10 @@ HSPLandroidx/compose/foundation/layout/Arrangement;->getCenter()Landroidx/compos HSPLandroidx/compose/foundation/layout/Arrangement;->getEnd()Landroidx/compose/foundation/layout/Arrangement$Horizontal; PLandroidx/compose/foundation/layout/Arrangement;->getSpaceEvenly()Landroidx/compose/foundation/layout/Arrangement$HorizontalOrVertical; HSPLandroidx/compose/foundation/layout/Arrangement;->getStart()Landroidx/compose/foundation/layout/Arrangement$Horizontal; -PLandroidx/compose/foundation/layout/Arrangement;->getTop()Landroidx/compose/foundation/layout/Arrangement$Vertical; -HPLandroidx/compose/foundation/layout/Arrangement;->placeLeftOrTop$foundation_layout_release([I[IZ)V +HPLandroidx/compose/foundation/layout/Arrangement;->getTop()Landroidx/compose/foundation/layout/Arrangement$Vertical; +PLandroidx/compose/foundation/layout/Arrangement;->placeLeftOrTop$foundation_layout_release([I[IZ)V HSPLandroidx/compose/foundation/layout/Arrangement;->placeRightOrBottom$foundation_layout_release(I[I[IZ)V -HPLandroidx/compose/foundation/layout/Arrangement;->placeSpaceEvenly$foundation_layout_release(I[I[IZ)V +PLandroidx/compose/foundation/layout/Arrangement;->placeSpaceEvenly$foundation_layout_release(I[I[IZ)V HSPLandroidx/compose/foundation/layout/Arrangement;->spacedBy-0680j_4(F)Landroidx/compose/foundation/layout/Arrangement$HorizontalOrVertical; Landroidx/compose/foundation/layout/Arrangement$Bottom$1; HSPLandroidx/compose/foundation/layout/Arrangement$Bottom$1;->()V @@ -1668,7 +2050,7 @@ Landroidx/compose/foundation/layout/Arrangement$Center$1; HSPLandroidx/compose/foundation/layout/Arrangement$Center$1;->()V Landroidx/compose/foundation/layout/Arrangement$End$1; HSPLandroidx/compose/foundation/layout/Arrangement$End$1;->()V -HPLandroidx/compose/foundation/layout/Arrangement$End$1;->arrange(Landroidx/compose/ui/unit/Density;I[ILandroidx/compose/ui/unit/LayoutDirection;[I)V +HSPLandroidx/compose/foundation/layout/Arrangement$End$1;->arrange(Landroidx/compose/ui/unit/Density;I[ILandroidx/compose/ui/unit/LayoutDirection;[I)V Landroidx/compose/foundation/layout/Arrangement$Horizontal; HSPLandroidx/compose/foundation/layout/Arrangement$Horizontal;->getSpacing-D9Ej5fM()F Landroidx/compose/foundation/layout/Arrangement$HorizontalOrVertical; @@ -1678,9 +2060,10 @@ Landroidx/compose/foundation/layout/Arrangement$SpaceBetween$1; HSPLandroidx/compose/foundation/layout/Arrangement$SpaceBetween$1;->()V Landroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1; HSPLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->()V -HPLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V +PLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V PLandroidx/compose/foundation/layout/Arrangement$SpaceEvenly$1;->getSpacing-D9Ej5fM()F Landroidx/compose/foundation/layout/Arrangement$SpacedAligned; +HSPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->()V HSPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->(FZLkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->(FZLkotlin/jvm/functions/Function2;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/Arrangement$SpacedAligned;->arrange(Landroidx/compose/ui/unit/Density;I[ILandroidx/compose/ui/unit/LayoutDirection;[I)V @@ -1690,7 +2073,7 @@ Landroidx/compose/foundation/layout/Arrangement$Start$1; HSPLandroidx/compose/foundation/layout/Arrangement$Start$1;->()V Landroidx/compose/foundation/layout/Arrangement$Top$1; HSPLandroidx/compose/foundation/layout/Arrangement$Top$1;->()V -HPLandroidx/compose/foundation/layout/Arrangement$Top$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V +PLandroidx/compose/foundation/layout/Arrangement$Top$1;->arrange(Landroidx/compose/ui/unit/Density;I[I[I)V Landroidx/compose/foundation/layout/Arrangement$Vertical; PLandroidx/compose/foundation/layout/Arrangement$Vertical;->getSpacing-D9Ej5fM()F Landroidx/compose/foundation/layout/Arrangement$spacedBy$1; @@ -1710,36 +2093,42 @@ HSPLandroidx/compose/foundation/layout/BoxKt;->()V HPLandroidx/compose/foundation/layout/BoxKt;->Box(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/foundation/layout/BoxKt;->access$getMatchesParentSize(Landroidx/compose/ui/layout/Measurable;)Z HPLandroidx/compose/foundation/layout/BoxKt;->access$placeInBox(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/unit/LayoutDirection;IILandroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt;->boxMeasurePolicy(Landroidx/compose/ui/Alignment;Z)Landroidx/compose/ui/layout/MeasurePolicy; HPLandroidx/compose/foundation/layout/BoxKt;->getBoxChildDataNode(Landroidx/compose/ui/layout/Measurable;)Landroidx/compose/foundation/layout/BoxChildDataNode; HPLandroidx/compose/foundation/layout/BoxKt;->getMatchesParentSize(Landroidx/compose/ui/layout/Measurable;)Z HPLandroidx/compose/foundation/layout/BoxKt;->placeInBox(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/unit/LayoutDirection;IILandroidx/compose/ui/Alignment;)V HPLandroidx/compose/foundation/layout/BoxKt;->rememberBoxMeasurePolicy(Landroidx/compose/ui/Alignment;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/layout/MeasurePolicy; +Landroidx/compose/foundation/layout/BoxKt$Box$$inlined$Layout$1; +HSPLandroidx/compose/foundation/layout/BoxKt$Box$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/foundation/layout/BoxKt$Box$$inlined$Layout$1;->invoke()Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxKt$Box$2; +HSPLandroidx/compose/foundation/layout/BoxKt$Box$2;->(Landroidx/compose/ui/Modifier;I)V Landroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1; HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1;->()V HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1;->()V HPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1; -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1; -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1;->(ZLandroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1; -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->()V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2; -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/layout/MeasureScope;IILandroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5; -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5;->([Landroidx/compose/ui/layout/Placeable;Ljava/util/List;Landroidx/compose/ui/layout/MeasureScope;Lkotlin/jvm/internal/Ref$IntRef;Lkotlin/jvm/internal/Ref$IntRef;Landroidx/compose/ui/Alignment;)V -HPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/foundation/layout/BoxKt$boxMeasurePolicy$1$measure$5;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1; +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->()V +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->()V +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/BoxKt$EmptyBoxMeasurePolicy$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxMeasurePolicy; +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->(Landroidx/compose/ui/Alignment;Z)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->access$getAlignment$p(Landroidx/compose/foundation/layout/BoxMeasurePolicy;)Landroidx/compose/ui/Alignment; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2; +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Measurable;Landroidx/compose/ui/layout/MeasureScope;IILandroidx/compose/foundation/layout/BoxMeasurePolicy;)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5;->([Landroidx/compose/ui/layout/Placeable;Ljava/util/List;Landroidx/compose/ui/layout/MeasureScope;Lkotlin/jvm/internal/Ref$IntRef;Lkotlin/jvm/internal/Ref$IntRef;Landroidx/compose/foundation/layout/BoxMeasurePolicy;)V +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$5;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/BoxScope; Landroidx/compose/foundation/layout/BoxScopeInstance; HSPLandroidx/compose/foundation/layout/BoxScopeInstance;->()V @@ -1747,15 +2136,12 @@ HSPLandroidx/compose/foundation/layout/BoxScopeInstance;->()V PLandroidx/compose/foundation/layout/BoxScopeInstance;->align(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/Alignment;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/layout/ColumnKt;->()V HPLandroidx/compose/foundation/layout/ColumnKt;->columnMeasurePolicy(Landroidx/compose/foundation/layout/Arrangement$Vertical;Landroidx/compose/ui/Alignment$Horizontal;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/layout/MeasurePolicy; -PLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->()V -PLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->()V -HPLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->invoke(I[ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;[I)V -HPLandroidx/compose/foundation/layout/ColumnKt$DefaultColumnMeasurePolicy$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/layout/ColumnKt$columnMeasurePolicy$1$1;->(Landroidx/compose/foundation/layout/Arrangement$Vertical;)V -HPLandroidx/compose/foundation/layout/ColumnKt$columnMeasurePolicy$1$1;->invoke(I[ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;[I)V -HPLandroidx/compose/foundation/layout/ColumnKt$columnMeasurePolicy$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/layout/ColumnScopeInstance;->()V PLandroidx/compose/foundation/layout/ColumnScopeInstance;->()V +Landroidx/compose/foundation/layout/ConsumedInsetsModifier; +HSPLandroidx/compose/foundation/layout/ConsumedInsetsModifier;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/foundation/layout/ConsumedInsetsModifier;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/foundation/layout/ConsumedInsetsModifier;->onModifierLocalsUpdated(Landroidx/compose/ui/modifier/ModifierLocalReadScope;)V Landroidx/compose/foundation/layout/CrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment;->()V @@ -1766,25 +2152,25 @@ HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$CenterCrossAxisAlignme Landroidx/compose/foundation/layout/CrossAxisAlignment$Companion; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->horizontal$foundation_layout_release(Landroidx/compose/ui/Alignment$Horizontal;)Landroidx/compose/foundation/layout/CrossAxisAlignment; +PLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->horizontal$foundation_layout_release(Landroidx/compose/ui/Alignment$Horizontal;)Landroidx/compose/foundation/layout/CrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$Companion;->vertical$foundation_layout_release(Landroidx/compose/ui/Alignment$Vertical;)Landroidx/compose/foundation/layout/CrossAxisAlignment; Landroidx/compose/foundation/layout/CrossAxisAlignment$EndCrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$EndCrossAxisAlignment;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$EndCrossAxisAlignment;->()V -HPLandroidx/compose/foundation/layout/CrossAxisAlignment$HorizontalCrossAxisAlignment;->(Landroidx/compose/ui/Alignment$Horizontal;)V +PLandroidx/compose/foundation/layout/CrossAxisAlignment$HorizontalCrossAxisAlignment;->(Landroidx/compose/ui/Alignment$Horizontal;)V HPLandroidx/compose/foundation/layout/CrossAxisAlignment$HorizontalCrossAxisAlignment;->align$foundation_layout_release(ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/layout/Placeable;I)I Landroidx/compose/foundation/layout/CrossAxisAlignment$StartCrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$StartCrossAxisAlignment;->()V HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$StartCrossAxisAlignment;->()V Landroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment; HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment;->(Landroidx/compose/ui/Alignment$Vertical;)V -HPLandroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment;->align$foundation_layout_release(ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/layout/Placeable;I)I +HSPLandroidx/compose/foundation/layout/CrossAxisAlignment$VerticalCrossAxisAlignment;->align$foundation_layout_release(ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/layout/Placeable;I)I Landroidx/compose/foundation/layout/Direction; HSPLandroidx/compose/foundation/layout/Direction;->$values()[Landroidx/compose/foundation/layout/Direction; HSPLandroidx/compose/foundation/layout/Direction;->()V HSPLandroidx/compose/foundation/layout/Direction;->(Ljava/lang/String;I)V Landroidx/compose/foundation/layout/ExcludeInsets; -HPLandroidx/compose/foundation/layout/ExcludeInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/foundation/layout/ExcludeInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V PLandroidx/compose/foundation/layout/ExcludeInsets;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/foundation/layout/ExcludeInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I HPLandroidx/compose/foundation/layout/ExcludeInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I @@ -1812,45 +2198,49 @@ HPLandroidx/compose/foundation/layout/FillNode$measure$1;->invoke(Ljava/lang/Obj Landroidx/compose/foundation/layout/FixedIntInsets; HPLandroidx/compose/foundation/layout/FixedIntInsets;->(IIII)V HPLandroidx/compose/foundation/layout/FixedIntInsets;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/foundation/layout/FixedIntInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I -HPLandroidx/compose/foundation/layout/FixedIntInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I -HPLandroidx/compose/foundation/layout/FixedIntInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I +HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I HSPLandroidx/compose/foundation/layout/FixedIntInsets;->getTop(Landroidx/compose/ui/unit/Density;)I Landroidx/compose/foundation/layout/InsetsListener; HSPLandroidx/compose/foundation/layout/InsetsListener;->(Landroidx/compose/foundation/layout/WindowInsetsHolder;)V HSPLandroidx/compose/foundation/layout/InsetsListener;->onApplyWindowInsets(Landroid/view/View;Landroidx/core/view/WindowInsetsCompat;)Landroidx/core/view/WindowInsetsCompat; Landroidx/compose/foundation/layout/InsetsPaddingModifier; -HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->(Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->()V +HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->(Landroidx/compose/foundation/layout/WindowInsets;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->equals(Ljava/lang/Object;)Z PLandroidx/compose/foundation/layout/InsetsPaddingModifier;->getKey()Landroidx/compose/ui/modifier/ProvidableModifierLocal; -HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->getUnconsumedInsets()Landroidx/compose/foundation/layout/WindowInsets; +HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->getUnconsumedInsets()Landroidx/compose/foundation/layout/WindowInsets; HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; HPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->onModifierLocalsUpdated(Landroidx/compose/ui/modifier/ModifierLocalReadScope;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->setConsumedInsets(Landroidx/compose/foundation/layout/WindowInsets;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier;->setUnconsumedInsets(Landroidx/compose/foundation/layout/WindowInsets;)V Landroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1; -HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;II)V -HPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;II)V +HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/InsetsPaddingValues; -HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)V +HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)V HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateBottomPadding-D9Ej5fM()F HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateLeftPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateRightPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateTopPadding-D9Ej5fM()F Landroidx/compose/foundation/layout/InsetsValues; -HPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V +HSPLandroidx/compose/foundation/layout/InsetsValues;->()V +HSPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V HSPLandroidx/compose/foundation/layout/InsetsValues;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->$values()[Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->()V HSPLandroidx/compose/foundation/layout/LayoutOrientation;->(Ljava/lang/String;I)V Landroidx/compose/foundation/layout/LayoutWeightElement; +HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->()V HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->(FZ)V HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->create()Landroidx/compose/foundation/layout/LayoutWeightNode; HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/layout/LayoutWeightElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutWeightNode; +HSPLandroidx/compose/foundation/layout/LayoutWeightNode;->()V HSPLandroidx/compose/foundation/layout/LayoutWeightNode;->(FZ)V HPLandroidx/compose/foundation/layout/LayoutWeightNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/LayoutWeightNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; @@ -1874,21 +2264,22 @@ HPLandroidx/compose/foundation/layout/PaddingElement;->(FFFFZLkotlin/jvm/f HSPLandroidx/compose/foundation/layout/PaddingElement;->(FFFFZLkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/PaddingElement;->create()Landroidx/compose/foundation/layout/PaddingNode; HSPLandroidx/compose/foundation/layout/PaddingElement;->create()Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/foundation/layout/PaddingElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/PaddingKt; PLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-0680j_4(F)Landroidx/compose/foundation/layout/PaddingValues; PLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-YgX7TsA$default(FFILjava/lang/Object;)Landroidx/compose/foundation/layout/PaddingValues; PLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-YgX7TsA(FF)Landroidx/compose/foundation/layout/PaddingValues; HSPLandroidx/compose/foundation/layout/PaddingKt;->PaddingValues-a9UjIt4(FFFF)Landroidx/compose/foundation/layout/PaddingValues; -HPLandroidx/compose/foundation/layout/PaddingKt;->calculateEndPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F -HPLandroidx/compose/foundation/layout/PaddingKt;->calculateStartPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F -HPLandroidx/compose/foundation/layout/PaddingKt;->padding(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/PaddingKt;->calculateEndPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F +HSPLandroidx/compose/foundation/layout/PaddingKt;->calculateStartPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/ui/unit/LayoutDirection;)F +HSPLandroidx/compose/foundation/layout/PaddingKt;->padding(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/PaddingKt;->padding-3ABfNKs(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/foundation/layout/PaddingKt;->padding-VpY3zN4$default(Landroidx/compose/ui/Modifier;FFILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/PaddingKt;->padding-VpY3zN4(Landroidx/compose/ui/Modifier;FF)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0$default(Landroidx/compose/ui/Modifier;FFFFILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0(Landroidx/compose/ui/Modifier;FFFF)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0$default(Landroidx/compose/ui/Modifier;FFFFILjava/lang/Object;)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/layout/PaddingKt;->padding-qDBjuR0(Landroidx/compose/ui/Modifier;FFFF)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/PaddingKt$padding$1; -HSPLandroidx/compose/foundation/layout/PaddingKt$padding$1;->(FFFF)V +HPLandroidx/compose/foundation/layout/PaddingKt$padding$1;->(FFFF)V Landroidx/compose/foundation/layout/PaddingKt$padding$2; HSPLandroidx/compose/foundation/layout/PaddingKt$padding$2;->(FF)V PLandroidx/compose/foundation/layout/PaddingKt$padding$3;->(F)V @@ -1914,10 +2305,11 @@ HPLandroidx/compose/foundation/layout/PaddingValuesElement;->equals(Ljava/lang/O HSPLandroidx/compose/foundation/layout/PaddingValuesElement;->update(Landroidx/compose/foundation/layout/PaddingValuesModifier;)V HSPLandroidx/compose/foundation/layout/PaddingValuesElement;->update(Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/foundation/layout/PaddingValuesImpl; +HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->()V HPLandroidx/compose/foundation/layout/PaddingValuesImpl;->(FFFF)V HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->(FFFFLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateBottomPadding-D9Ej5fM()F -HPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateLeftPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F +HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateLeftPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateRightPadding-u2uoSUM(Landroidx/compose/ui/unit/LayoutDirection;)F HSPLandroidx/compose/foundation/layout/PaddingValuesImpl;->calculateTopPadding-D9Ej5fM()F HPLandroidx/compose/foundation/layout/PaddingValuesImpl;->equals(Ljava/lang/Object;)Z @@ -1925,7 +2317,7 @@ Landroidx/compose/foundation/layout/PaddingValuesModifier; HSPLandroidx/compose/foundation/layout/PaddingValuesModifier;->(Landroidx/compose/foundation/layout/PaddingValues;)V HSPLandroidx/compose/foundation/layout/PaddingValuesModifier;->getPaddingValues()Landroidx/compose/foundation/layout/PaddingValues; HPLandroidx/compose/foundation/layout/PaddingValuesModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/foundation/layout/PaddingValuesModifier;->setPaddingValues(Landroidx/compose/foundation/layout/PaddingValues;)V +HSPLandroidx/compose/foundation/layout/PaddingValuesModifier;->setPaddingValues(Landroidx/compose/foundation/layout/PaddingValues;)V Landroidx/compose/foundation/layout/PaddingValuesModifier$measure$2; HSPLandroidx/compose/foundation/layout/PaddingValuesModifier$measure$2;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/foundation/layout/PaddingValuesModifier;)V HPLandroidx/compose/foundation/layout/PaddingValuesModifier$measure$2;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V @@ -1936,15 +2328,8 @@ HSPLandroidx/compose/foundation/layout/RowColumnImplKt;->getFill(Landroidx/compo HPLandroidx/compose/foundation/layout/RowColumnImplKt;->getRowColumnParentData(Landroidx/compose/ui/layout/IntrinsicMeasurable;)Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/RowColumnImplKt;->getWeight(Landroidx/compose/foundation/layout/RowColumnParentData;)F HPLandroidx/compose/foundation/layout/RowColumnImplKt;->isRelative(Landroidx/compose/foundation/layout/RowColumnParentData;)Z -HPLandroidx/compose/foundation/layout/RowColumnImplKt;->rowColumnMeasurePolicy-TDGSqEk(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;)Landroidx/compose/ui/layout/MeasurePolicy; -Landroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1; -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1;->(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;)V -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1; -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1;->(Landroidx/compose/foundation/layout/RowColumnMeasurementHelper;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;Landroidx/compose/ui/layout/MeasureScope;)V -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/foundation/layout/RowColumnImplKt$rowColumnMeasurePolicy$1$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; +HSPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->()V HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->(IIIII[I)V HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getBeforeCrossAxisAlignmentLine()I HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getCrossAxisSize()I @@ -1952,9 +2337,20 @@ HSPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getEndInde HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getMainAxisPositions()[I HSPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getMainAxisSize()I HPLandroidx/compose/foundation/layout/RowColumnMeasureHelperResult;->getStartIndex()I +Landroidx/compose/foundation/layout/RowColumnMeasurePolicy; +HSPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->()V +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1; +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1;->(Landroidx/compose/foundation/layout/RowColumnMeasurementHelper;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;Landroidx/compose/ui/layout/MeasureScope;)V +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/layout/RowColumnMeasurePolicy$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/RowColumnMeasurementHelper; -HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;)V -HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Lkotlin/jvm/functions/Function5;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->()V +HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;)V +HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->(Landroidx/compose/foundation/layout/LayoutOrientation;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;FLandroidx/compose/foundation/layout/SizeMode;Landroidx/compose/foundation/layout/CrossAxisAlignment;Ljava/util/List;[Landroidx/compose/ui/layout/Placeable;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->crossAxisSize(Landroidx/compose/ui/layout/Placeable;)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->getCrossAxisPosition(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/RowColumnParentData;ILandroidx/compose/ui/unit/LayoutDirection;I)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisPositions(I[I[ILandroidx/compose/ui/layout/MeasureScope;)[I @@ -1962,6 +2358,7 @@ HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisSize( HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->placeHelper(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;ILandroidx/compose/ui/unit/LayoutDirection;)V Landroidx/compose/foundation/layout/RowColumnParentData; +HSPLandroidx/compose/foundation/layout/RowColumnParentData;->()V HSPLandroidx/compose/foundation/layout/RowColumnParentData;->(FZLandroidx/compose/foundation/layout/CrossAxisAlignment;)V HSPLandroidx/compose/foundation/layout/RowColumnParentData;->(FZLandroidx/compose/foundation/layout/CrossAxisAlignment;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/layout/RowColumnParentData;->getCrossAxisAlignment()Landroidx/compose/foundation/layout/CrossAxisAlignment; @@ -1972,61 +2369,72 @@ HSPLandroidx/compose/foundation/layout/RowColumnParentData;->setWeight(F)V Landroidx/compose/foundation/layout/RowKt; HSPLandroidx/compose/foundation/layout/RowKt;->()V HPLandroidx/compose/foundation/layout/RowKt;->rowMeasurePolicy(Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/ui/Alignment$Vertical;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/layout/MeasurePolicy; -Landroidx/compose/foundation/layout/RowKt$DefaultRowMeasurePolicy$1; -HSPLandroidx/compose/foundation/layout/RowKt$DefaultRowMeasurePolicy$1;->()V -HSPLandroidx/compose/foundation/layout/RowKt$DefaultRowMeasurePolicy$1;->()V -Landroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1; -HSPLandroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1;->(Landroidx/compose/foundation/layout/Arrangement$Horizontal;)V -HPLandroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1;->invoke(I[ILandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;[I)V -HPLandroidx/compose/foundation/layout/RowKt$rowMeasurePolicy$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/RowScope; HSPLandroidx/compose/foundation/layout/RowScope;->weight$default(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/ui/Modifier;FZILjava/lang/Object;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/RowScopeInstance; HSPLandroidx/compose/foundation/layout/RowScopeInstance;->()V HSPLandroidx/compose/foundation/layout/RowScopeInstance;->()V -HPLandroidx/compose/foundation/layout/RowScopeInstance;->weight(Landroidx/compose/ui/Modifier;FZ)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/RowScopeInstance;->weight(Landroidx/compose/ui/Modifier;FZ)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/SizeElement; HPLandroidx/compose/foundation/layout/SizeElement;->(FFFFZLkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/foundation/layout/SizeElement;->(FFFFZLkotlin/jvm/functions/Function1;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/layout/SizeElement;->(FFFFZLkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/SizeElement;->create()Landroidx/compose/foundation/layout/SizeNode; HSPLandroidx/compose/foundation/layout/SizeElement;->create()Landroidx/compose/ui/Modifier$Node; Landroidx/compose/foundation/layout/SizeKt; HSPLandroidx/compose/foundation/layout/SizeKt;->()V +HSPLandroidx/compose/foundation/layout/SizeKt;->defaultMinSize-VpY3zN4$default(Landroidx/compose/ui/Modifier;FFILjava/lang/Object;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/SizeKt;->defaultMinSize-VpY3zN4(Landroidx/compose/ui/Modifier;FF)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/foundation/layout/SizeKt;->fillMaxSize$default(Landroidx/compose/ui/Modifier;FILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/foundation/layout/SizeKt;->fillMaxSize(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/SizeKt;->fillMaxSize(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/foundation/layout/SizeKt;->fillMaxWidth$default(Landroidx/compose/ui/Modifier;FILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/SizeKt;->fillMaxWidth(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; -HSPLandroidx/compose/foundation/layout/SizeKt;->height-3ABfNKs(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/SizeKt;->size-3ABfNKs(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/SizeMode; HSPLandroidx/compose/foundation/layout/SizeMode;->$values()[Landroidx/compose/foundation/layout/SizeMode; HSPLandroidx/compose/foundation/layout/SizeMode;->()V HSPLandroidx/compose/foundation/layout/SizeMode;->(Ljava/lang/String;I)V Landroidx/compose/foundation/layout/SizeNode; -HPLandroidx/compose/foundation/layout/SizeNode;->(FFFFZ)V +HSPLandroidx/compose/foundation/layout/SizeNode;->(FFFFZ)V HSPLandroidx/compose/foundation/layout/SizeNode;->(FFFFZLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/foundation/layout/SizeNode;->getTargetConstraints-OenEA2s(Landroidx/compose/ui/unit/Density;)J HPLandroidx/compose/foundation/layout/SizeNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/SizeNode$measure$1; HSPLandroidx/compose/foundation/layout/SizeNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -HPLandroidx/compose/foundation/layout/SizeNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/SizeNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/foundation/layout/SizeNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/SpacerKt; HPLandroidx/compose/foundation/layout/SpacerKt;->Spacer(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)V +Landroidx/compose/foundation/layout/SpacerKt$Spacer$$inlined$Layout$1; +HSPLandroidx/compose/foundation/layout/SpacerKt$Spacer$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/foundation/layout/SpacerKt$Spacer$$inlined$Layout$1;->invoke()Ljava/lang/Object; Landroidx/compose/foundation/layout/SpacerMeasurePolicy; HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->()V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->()V -HPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1; HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->()V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->()V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/foundation/layout/SpacerMeasurePolicy$measure$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/UnionInsets; -HPLandroidx/compose/foundation/layout/UnionInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/foundation/layout/UnionInsets;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V PLandroidx/compose/foundation/layout/UnionInsets;->equals(Ljava/lang/Object;)Z +Landroidx/compose/foundation/layout/UnspecifiedConstraintsElement; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->(FF)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->(FFLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->create()Landroidx/compose/foundation/layout/UnspecifiedConstraintsNode; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->create()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsElement;->equals(Ljava/lang/Object;)Z +Landroidx/compose/foundation/layout/UnspecifiedConstraintsNode; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode;->(FF)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode;->(FFLkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1; +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/layout/UnspecifiedConstraintsNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/ValueInsets; +HSPLandroidx/compose/foundation/layout/ValueInsets;->()V HSPLandroidx/compose/foundation/layout/ValueInsets;->(Landroidx/compose/foundation/layout/InsetsValues;Ljava/lang/String;)V HSPLandroidx/compose/foundation/layout/ValueInsets;->setValue$foundation_layout_release(Landroidx/compose/foundation/layout/InsetsValues;)V Landroidx/compose/foundation/layout/WindowInsets; @@ -2065,19 +2473,28 @@ HSPLandroidx/compose/foundation/layout/WindowInsetsHolder$Companion$current$1$in PLandroidx/compose/foundation/layout/WindowInsetsHolder$Companion$current$1$invoke$$inlined$onDispose$1;->dispose()V Landroidx/compose/foundation/layout/WindowInsetsKt; HPLandroidx/compose/foundation/layout/WindowInsetsKt;->WindowInsets(IIII)Landroidx/compose/foundation/layout/WindowInsets; -HPLandroidx/compose/foundation/layout/WindowInsetsKt;->asPaddingValues(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/layout/PaddingValues; -HPLandroidx/compose/foundation/layout/WindowInsetsKt;->exclude(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; +HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->asPaddingValues(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/layout/PaddingValues; +HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->exclude(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->only-bOOhFvg(Landroidx/compose/foundation/layout/WindowInsets;I)Landroidx/compose/foundation/layout/WindowInsets; -HPLandroidx/compose/foundation/layout/WindowInsetsKt;->union(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; +HSPLandroidx/compose/foundation/layout/WindowInsetsKt;->union(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/foundation/layout/WindowInsetsPaddingKt; HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->getModifierLocalConsumedWindowInsets()Landroidx/compose/ui/modifier/ProvidableModifierLocal; +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->onConsumedWindowInsetsChanged(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt;->windowInsetsPadding(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/WindowInsets;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1; HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->invoke()Landroidx/compose/foundation/layout/WindowInsets; HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$ModifierLocalConsumedWindowInsets$1;->invoke()Ljava/lang/Object; +Landroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2; +HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2;->(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$onConsumedWindowInsetsChanged$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2; +HSPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2;->(Landroidx/compose/foundation/layout/WindowInsets;)V +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/layout/WindowInsetsPaddingKt$windowInsetsPadding$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/layout/WindowInsetsSides; HSPLandroidx/compose/foundation/layout/WindowInsetsSides;->()V HSPLandroidx/compose/foundation/layout/WindowInsetsSides;->access$getAllowLeftInLtr$cp()I @@ -2116,15 +2533,51 @@ Landroidx/compose/foundation/layout/WrapContentElement$Companion$size$1; HSPLandroidx/compose/foundation/layout/WrapContentElement$Companion$size$1;->(Landroidx/compose/ui/Alignment;)V Landroidx/compose/foundation/layout/WrapContentElement$Companion$width$1; HSPLandroidx/compose/foundation/layout/WrapContentElement$Companion$width$1;->(Landroidx/compose/ui/Alignment$Horizontal;)V +PLandroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier;->()V PLandroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier;->()V PLandroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->()V PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->(IILjava/lang/Object;)V -PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getSize()I +HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getSize()I HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getStartIndex()I HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getValue()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->access$binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->()V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->(Lkotlinx/coroutines/CoroutineScope;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$getNotInitialized$cp()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$getPlacementDeltaAnimation$p(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;)Landroidx/compose/animation/core/Animatable; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$setPlacementAnimationInProgress(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;Z)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->access$setPlacementDelta--gyyYBs(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;J)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->animatePlacementDelta--gyyYBs(J)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->cancelPlacementAnimation()V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getPlacementDelta-nOcc-ac()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getRawOffset-nOcc-ac()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->isPlacementAnimationInProgress()Z +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setAppearanceSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementAnimationInProgress(Z)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementDelta--gyyYBs(J)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setRawOffset--gyyYBs(J)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->getNotInitialized-nOcc-ac()J +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;Landroidx/compose/animation/core/FiniteAnimationSpec;JLkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;J)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1$1;->invoke(Landroidx/compose/animation/core/Animatable;)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$animatePlacementDelta$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$cancelPlacementAnimation$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$cancelPlacementAnimation$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$cancelPlacementAnimation$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$layerBlock$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->(Landroidx/compose/animation/core/FiniteAnimationSpec;Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->getAppearanceSpec()Landroidx/compose/animation/core/FiniteAnimationSpec; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->getPlacementSpec()Landroidx/compose/animation/core/FiniteAnimationSpec; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;->hasIntervals()Z PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal;->()V @@ -2133,11 +2586,13 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal;-> PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal$Companion;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocal$Companion$emptyBeyondBoundsScope$1;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsModifierLocalKt;->lazyLayoutBeyondBoundsModifier(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsState;Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;ZLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsStateKt;->calculateLazyLayoutPinnedIndices(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Landroidx/compose/foundation/lazy/layout/LazyLayoutPinnedItemList;Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo;)Ljava/util/List; PLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->()V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->getContentType(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;->getItemCount()I +PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->(Landroidx/compose/runtime/saveable/SaveableStateHolder;Lkotlin/jvm/functions/Function0;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->access$getSaveableStateHolder$p(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)Landroidx/compose/runtime/saveable/SaveableStateHolder; HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->getContent(ILjava/lang/Object;Ljava/lang/Object;)Lkotlin/jvm/functions/Function2; @@ -2146,7 +2601,7 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;->getItem HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;ILjava/lang/Object;Ljava/lang/Object;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->access$set_content$p(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->createContentLambda()Lkotlin/jvm/functions/Function2; -PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getContent()Lkotlin/jvm/functions/Function2; +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getContent()Lkotlin/jvm/functions/Function2; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getContentType()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getIndex()I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent;->getKey()Ljava/lang/Object; @@ -2160,17 +2615,18 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedIte PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory$CachedItemContent$createContentLambda$1$2$invoke$$inlined$onDispose$1;->dispose()V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt;->SkippableItem-JVlU9Rs(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;ILjava/lang/Object;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt;->access$SkippableItem-JVlU9Rs(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;ILjava/lang/Object;Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;ILjava/lang/Object;I)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;ILjava/lang/Object;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemProviderKt;->findIndexByKey(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->getIndex(Ljava/lang/Object;)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt;->LazyLayout(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;ILandroidx/compose/runtime/State;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/State;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->invoke(Landroidx/compose/runtime/saveable/SaveableStateHolder;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$2$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;Lkotlin/jvm/functions/Function2;)V @@ -2179,6 +2635,7 @@ PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$2$1;->invoke PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$itemContentFactory$1$1;->(Landroidx/compose/runtime/State;)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$itemContentFactory$1$1;->invoke()Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider; PLandroidx/compose/foundation/lazy/layout/LazyLayoutKt$LazyLayout$3$itemContentFactory$1$1;->invoke()Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;Landroidx/compose/ui/layout/SubcomposeMeasureScope;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->getDensity()F PLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScopeImpl;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; @@ -2227,7 +2684,7 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutPrefetcher_androidKt;->Lazy HPLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt;->lazyLayoutSemantics(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;Landroidx/compose/foundation/gestures/Orientation;ZZLandroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$1;->(Lkotlin/jvm/functions/Function1;ZLandroidx/compose/ui/semantics/ScrollAxisRange;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/semantics/CollectionInfo;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$accessibilityScrollState$1;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$accessibilityScrollState$2;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$accessibilityScrollState$2;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$indexForKeyMapping$1;->(Lkotlin/jvm/functions/Function0;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$scrollByAction$1;->(ZLkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutSemanticsKt$lazyLayoutSemantics$1$scrollToIndexAction$1;->(Lkotlin/jvm/functions/Function0;Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState;)V @@ -2236,14 +2693,14 @@ PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->(Landr PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/util/Map;)V HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->SaveableStateProvider(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->access$getPreviouslyComposedKeys$p(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;)Ljava/util/Set; -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->canBeSaved(Ljava/lang/Object;)Z +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->canBeSaved(Ljava/lang/Object;)Z PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->getWrappedHolder()Landroidx/compose/runtime/saveable/SaveableStateHolder; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->performSave()Ljava/util/Map; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;->setWrappedHolder(Landroidx/compose/runtime/saveable/SaveableStateHolder;)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion;->()V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -2253,14 +2710,14 @@ PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$save PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;)Ljava/util/Map; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$Companion$saver$2;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$1$invoke$$inlined$onDispose$1;->dispose()V -HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;I)V +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V +HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;)V +HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$2$invoke$$inlined$onDispose$1;->dispose()V +HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolder$SaveableStateProvider$3;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;I)V HPLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt;->LazySaveableStateHolderProvider(Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V -PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Lkotlin/jvm/functions/Function3;I)V +PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->(Landroidx/compose/foundation/lazy/layout/LazySaveableStateHolder;Lkotlin/jvm/functions/Function3;)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->invoke(Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazySaveableStateHolderKt$LazySaveableStateHolderProvider$holder$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V @@ -2275,49 +2732,77 @@ PLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->forEach(IILkotli HPLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->get(I)Landroidx/compose/foundation/lazy/layout/IntervalList$Interval; HPLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->getIntervalForIndex(I)Landroidx/compose/foundation/lazy/layout/IntervalList$Interval; HPLandroidx/compose/foundation/lazy/layout/MutableIntervalList;->getSize()I +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->(Lkotlin/ranges/IntRange;Landroidx/compose/foundation/lazy/layout/LazyLayoutIntervalContent;)V PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->access$getKeys$p(Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)[Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->access$getKeysStartIndex$p(Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)I +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getIndex(Ljava/lang/Object;)I HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getKey(I)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$1$1;->(IILjava/util/HashMap;Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)V -HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$1$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V -PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->(IILandroidx/collection/MutableObjectIntMap;Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)V +HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->attachToScope-impl(Landroidx/compose/runtime/MutableState;)V +PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->constructor-impl$default(Landroidx/compose/runtime/MutableState;ILkotlin/jvm/internal/DefaultConstructorMarker;)Landroidx/compose/runtime/MutableState; +PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->constructor-impl(Landroidx/compose/runtime/MutableState;)Landroidx/compose/runtime/MutableState; PLandroidx/compose/foundation/lazy/layout/StableValue;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/staggeredgrid/EmptyLazyStaggeredGridLayoutInfo;->()V -PLandroidx/compose/foundation/lazy/staggeredgrid/EmptyLazyStaggeredGridLayoutInfo;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->(Landroidx/compose/animation/core/FiniteAnimationSpec;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; +PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->(III)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getAnimations()[Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getCrossAxisOffset()I +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getLane()I +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getSpan()I +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->setCrossAxisOffset(I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->setLane(I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->setSpan(I)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->updateAnimation(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;Lkotlinx/coroutines/CoroutineScope;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridAnimateScrollScope;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridAnimateScrollScope;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsModifierKt;->lazyStaggeredGridBeyondBoundsModifier(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;ZLandroidx/compose/foundation/gestures/Orientation;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsModifierKt;->rememberLazyStaggeredGridBeyondBoundsState(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsState; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsState;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridBeyondBoundsState;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridCellsKt;->access$calculateCellsCrossAxisSizeImpl(III)[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridCellsKt;->calculateCellsCrossAxisSizeImpl(III)[I -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->LazyVerticalStaggeredGrid-zadm560(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZFLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/gestures/FlingBehavior;ZLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->rememberColumnSlots(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function2; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->LazyVerticalStaggeredGrid-zadm560(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZFLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/gestures/FlingBehavior;ZLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt;->rememberColumnSlots(Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt$rememberColumnSlots$1$1;->(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells;Landroidx/compose/foundation/layout/Arrangement$Horizontal;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt$rememberColumnSlots$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridDslKt$rememberColumnSlots$1$1;->invoke-0kLqBqw(Landroidx/compose/ui/unit/Density;J)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getItem()Lkotlin/jvm/functions/Function4; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getKey()Lkotlin/jvm/functions/Function1; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getSpan()Lkotlin/jvm/functions/Function1; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridInterval;->getType()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->getIntervals()Landroidx/compose/foundation/lazy/layout/IntervalList; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->getIntervals()Landroidx/compose/foundation/lazy/layout/MutableIntervalList; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->getSpanProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;->items(ILkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->()V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->access$getKeyIndexMap$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getAnimation(Ljava/lang/Object;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getHasAnimations(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)Z -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getNode(Ljava/lang/Object;)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimateItemModifierNode; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->onMeasured(IIILjava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;ZI)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->reset()V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->initializeAnimation(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;ILandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->onMeasured(IIILjava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;ZILkotlinx/coroutines/CoroutineScope;)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->startAnimationsIfNeeded(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator$onMeasured$$inlined$sortBy$2;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator$onMeasured$$inlined$sortBy$2;->compare(Ljava/lang/Object;Ljava/lang/Object;)I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->access$getEmptyArray$p()[Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->access$getSpecs(Ljava/lang/Object;)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimatorKt;->getSpecs(Ljava/lang/Object;)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent;Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->Item(ILjava/lang/Object;Landroidx/compose/runtime/Composer;I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->access$getIntervalContent$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridIntervalContent; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getContentType(I)Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getContentType(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getItemCount()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getKey(I)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getKeyIndexMap()Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getSpanProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getKeyIndexMap()Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;->getSpanProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl$Item$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl;I)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl$Item$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl$Item$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -2330,11 +2815,11 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt$rememberStaggeredGridItemProviderLambda$1$itemProviderState$1;->(Landroidx/compose/runtime/State;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt$rememberStaggeredGridItemProviderLambda$1$itemProviderState$1;->invoke()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderImpl; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProviderKt$rememberStaggeredGridItemProviderLambda$1$itemProviderState$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScope;->animateItemPlacement$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScope;Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/FiniteAnimationSpec;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScopeImpl;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScopeImpl;->()V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt;->LazyStaggeredGrid-LJWHXA8(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/gestures/Orientation;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/FlingBehavior;ZFFLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;III)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt;->ScrollPositionUpdater(Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/runtime/Composer;I)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt$ScrollPositionUpdater$1;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;I)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemScopeImpl;->animateItemPlacement(Landroidx/compose/ui/Modifier;Landroidx/compose/animation/core/FiniteAnimationSpec;)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridKt;->LazyStaggeredGrid-LJWHXA8(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider;Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/FlingBehavior;ZFFLkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;III)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->assignedToLane(II)Z @@ -2351,12 +2836,14 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo;->upp PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo$Companion;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo$setGaps$$inlined$binarySearchBy$default$1;->(Ljava/lang/Comparable;)V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZI)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->()V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getAfterContentPadding()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getBeforeContentPadding()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getConstraints-msEJaDk()J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getContentOffset-nOcc-ac()J +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getCoroutineScope()Lkotlinx/coroutines/CoroutineScope; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getItemProvider()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getLaneCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getLaneInfo()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLaneInfo; @@ -2383,7 +2870,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->ma PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measure$lambda$38$hasSpaceBeforeFirst([I[ILandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measure$lambda$38$misalignedStart([ILandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;[II)Z HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measure(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;I[I[IZ)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measureStaggeredGrid-dSVRQoE(Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZZJIIII)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->measureStaggeredGrid-sdzDtKU(Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZZJIIIILkotlinx/coroutines/CoroutineScope;)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->offsetBy([II)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt$measure$1$29;->(Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt$measure$1$29;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V @@ -2393,15 +2880,18 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyK PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->access$startPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/ui/unit/LayoutDirection;)F PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->afterPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/ui/unit/LayoutDirection;)F PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->beforePadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;ZLandroidx/compose/ui/unit/LayoutDirection;)F -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->rememberStaggeredGridMeasurePolicy-nbWgWpA(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/Orientation;FFLkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function2; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->rememberStaggeredGridMeasurePolicy-1tP8Re8(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/layout/PaddingValues;ZLandroidx/compose/foundation/gestures/Orientation;FFLkotlinx/coroutines/CoroutineScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider;Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function2; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt;->startPadding(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/ui/unit/LayoutDirection;)F PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$WhenMappings;->()V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->(Landroidx/compose/foundation/gestures/Orientation;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZF)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->(Landroidx/compose/foundation/gestures/Orientation;Landroidx/compose/foundation/lazy/staggeredgrid/LazyGridStaggeredGridSlotsProvider;Lkotlin/jvm/functions/Function0;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/layout/PaddingValues;ZFLkotlinx/coroutines/CoroutineScope;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasurePolicyKt$rememberStaggeredGridMeasurePolicy$1$1;->invoke-0kLqBqw(Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;J)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->(ZLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->childConstraints-JhjzzOo(II)J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->getAndMeasure-jy6DScQ(IJ)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;->getKeyIndexMap()Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->()V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->([I[IFLandroidx/compose/ui/layout/MeasureResult;ZZZILjava/util/List;JIIIII)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->([I[IFLandroidx/compose/ui/layout/MeasureResult;ZZZILjava/util/List;JIIIIILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->getAlignmentLines()Ljava/util/Map; @@ -2415,43 +2905,57 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->getVisibleItemsInfo()Ljava/util/List; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->getWidth()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;->placeChildren()V -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->(ILjava/lang/Object;Ljava/util/List;ZIIIIILjava/lang/Object;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt;->getEmptyLazyStaggeredGridLayoutInfo()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt$EmptyLazyStaggeredGridLayoutInfo$1;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->()V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getIndex()I -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getLane()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxis--gyyYBs(J)I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxisSize()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getParentData(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSizeWithSpacings()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSpan()I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVertical()Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVisible()Z HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->place(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->position(III)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->position(III)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->setNonScrollableItem(Z)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope;->items$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope;ILkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function4;ILjava/lang/Object;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->invoke(I)Ljava/lang/Void; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope$items$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->([I[ILkotlin/jvm/functions/Function2;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->calculateFirstVisibleIndex([I)I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->calculateFirstVisibleScrollOffset([I[I)I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->equivalent(Ljava/lang/Object;Ljava/lang/Object;)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->equivalent([I[I)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getIndices()[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getNearestRangeState()Landroidx/compose/foundation/lazy/layout/LazyLayoutNearestRangeState; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getOffsets()[I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->getScrollOffsets()[I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setIndex(I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setIndices([I)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setOffsets([I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setScrollOffset(I)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->setScrollOffsets([I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->update([I[I)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->updateFromMeasureResult(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition;->updateScrollPositionIfTheFirstItemWasMoved(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;[I)[I -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt;->rememberLazyStaggeredGridSemanticState(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt;->rememberLazyStaggeredGridSemanticState(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutSemanticState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt$rememberLazyStaggeredGridSemanticState$1$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSemanticsKt$rememberLazyStaggeredGridSemanticState$1$1;->collectionInfo()Landroidx/compose/ui/semantics/CollectionInfo; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlotCache;->(Lkotlin/jvm/functions/Function2;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlotCache;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlotCache;->invoke-0kLqBqw(Landroidx/compose/ui/unit/Density;J)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->([I[I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->getPositions()[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;->getSizes()[I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;->(Landroidx/compose/foundation/lazy/layout/IntervalList;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;->isFullSpan(I)Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->()V @@ -2459,7 +2963,8 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;-> HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->([I[I)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->access$setRemeasurement$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/ui/layout/Remeasurement;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->applyMeasureResult$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;)V +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->applyMeasureResult$foundation_release$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;ZILjava/lang/Object;)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->applyMeasureResult$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult;Z)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->cancelPrefetchIfVisibleItemsChanged(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridLayoutInfo;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getAwaitLayoutModifier$foundation_release()Landroidx/compose/foundation/lazy/layout/AwaitFirstLayoutModifier; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getBeyondBoundsInfo$foundation_release()Landroidx/compose/foundation/lazy/layout/LazyLayoutBeyondBoundsInfo; @@ -2468,6 +2973,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getMut PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getNearestRange$foundation_release()Lkotlin/ranges/IntRange; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPinnedItems$foundation_release()Landroidx/compose/foundation/lazy/layout/LazyLayoutPinnedItemList; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPlacementAnimator$foundation_release()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator; +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPlacementScopeInvalidator-zYiylxw$foundation_release()Landroidx/compose/runtime/MutableState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getPrefetchState$foundation_release()Landroidx/compose/foundation/lazy/layout/LazyLayoutPrefetchState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getRemeasurementModifier$foundation_release()Landroidx/compose/ui/layout/RemeasurementModifier; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->getScrollPosition$foundation_release()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScrollPosition; @@ -2477,7 +2983,6 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setCan PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setSlots$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setSpanProvider$foundation_release(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSpanProvider;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->setVertical$foundation_release(Z)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->updateScrollPositionIfTheFirstItemWasMoved$foundation_release$default(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;[IILjava/lang/Object;)[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;->updateScrollPositionIfTheFirstItemWasMoved$foundation_release(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;[I)[I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -2488,8 +2993,6 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companio PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion$Saver$2;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$Companion$Saver$2;->()V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$firstVisibleItemIndex$2;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$firstVisibleItemScrollOffset$2;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$remeasurementModifier$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$remeasurementModifier$1;->onRemeasurementAvailable(Landroidx/compose/ui/layout/Remeasurement;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState$scrollPosition$1;->(Ljava/lang/Object;)V @@ -2504,8 +3007,9 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells$Fixed;->(I)V PLandroidx/compose/foundation/lazy/staggeredgrid/StaggeredGridCells$Fixed;->calculateCrossAxisCellSizes(Landroidx/compose/ui/unit/Density;II)[I Landroidx/compose/foundation/relocation/BringIntoViewChildNode; +HSPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->()V HPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->()V -HPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/relocation/BringIntoViewChildNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V PLandroidx/compose/foundation/relocation/BringIntoViewKt;->()V PLandroidx/compose/foundation/relocation/BringIntoViewKt;->getModifierLocalBringIntoViewParent()Landroidx/compose/ui/modifier/ProvidableModifierLocal; PLandroidx/compose/foundation/relocation/BringIntoViewKt$ModifierLocalBringIntoViewParent$1;->()V @@ -2518,15 +3022,13 @@ HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterImpl;->getModif Landroidx/compose/foundation/relocation/BringIntoViewRequesterKt; HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterKt;->BringIntoViewRequester()Landroidx/compose/foundation/relocation/BringIntoViewRequester; Landroidx/compose/foundation/relocation/BringIntoViewRequesterNode; -HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->(Landroidx/compose/foundation/relocation/BringIntoViewRequester;)V +HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->()V +HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->(Landroidx/compose/foundation/relocation/BringIntoViewRequester;)V HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->disposeRequester()V HSPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->onAttach()V PLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->onDetach()V HPLandroidx/compose/foundation/relocation/BringIntoViewRequesterNode;->updateRequester(Landroidx/compose/foundation/relocation/BringIntoViewRequester;)V -PLandroidx/compose/foundation/relocation/BringIntoViewResponderElement;->(Landroidx/compose/foundation/relocation/BringIntoViewResponder;)V -PLandroidx/compose/foundation/relocation/BringIntoViewResponderElement;->create()Landroidx/compose/foundation/relocation/BringIntoViewResponderNode; -PLandroidx/compose/foundation/relocation/BringIntoViewResponderElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/foundation/relocation/BringIntoViewResponderKt;->bringIntoViewResponder(Landroidx/compose/ui/Modifier;Landroidx/compose/foundation/relocation/BringIntoViewResponder;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/foundation/relocation/BringIntoViewResponderNode;->()V PLandroidx/compose/foundation/relocation/BringIntoViewResponderNode;->(Landroidx/compose/foundation/relocation/BringIntoViewResponder;)V Landroidx/compose/foundation/relocation/BringIntoViewResponder_androidKt; HPLandroidx/compose/foundation/relocation/BringIntoViewResponder_androidKt;->defaultBringIntoViewParent(Landroidx/compose/ui/node/CompositionLocalConsumerModifierNode;)Landroidx/compose/foundation/relocation/BringIntoViewParent; @@ -2558,23 +3060,21 @@ HSPLandroidx/compose/foundation/shape/DpCornerSize;->(FLkotlin/jvm/interna HPLandroidx/compose/foundation/shape/DpCornerSize;->toPx-TmRCtEA(JLandroidx/compose/ui/unit/Density;)F Landroidx/compose/foundation/shape/PercentCornerSize; HSPLandroidx/compose/foundation/shape/PercentCornerSize;->(F)V -HPLandroidx/compose/foundation/shape/PercentCornerSize;->toPx-TmRCtEA(JLandroidx/compose/ui/unit/Density;)F +HSPLandroidx/compose/foundation/shape/PercentCornerSize;->toPx-TmRCtEA(JLandroidx/compose/ui/unit/Density;)F Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShape;->()V -HPLandroidx/compose/foundation/shape/RoundedCornerShape;->(Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;)V +HSPLandroidx/compose/foundation/shape/RoundedCornerShape;->(Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;Landroidx/compose/foundation/shape/CornerSize;)V HPLandroidx/compose/foundation/shape/RoundedCornerShape;->createOutline-LjSzlW0(JFFFFLandroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/graphics/Outline; HSPLandroidx/compose/foundation/shape/RoundedCornerShape;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/shape/RoundedCornerShapeKt; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->()V HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape(I)Landroidx/compose/foundation/shape/RoundedCornerShape; -HPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape(Landroidx/compose/foundation/shape/CornerSize;)Landroidx/compose/foundation/shape/RoundedCornerShape; +HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape(Landroidx/compose/foundation/shape/CornerSize;)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-0680j_4(F)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-a9UjIt4(FFFF)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->getCircleShape()Landroidx/compose/foundation/shape/RoundedCornerShape; Landroidx/compose/foundation/text/BasicTextKt; -HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-4YKlhWE(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/runtime/Composer;II)V HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V -HPLandroidx/compose/foundation/text/BasicTextKt;->textModifier-RWo7tUw(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/text/font/FontFamily$Resolver;Ljava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;)Landroidx/compose/ui/Modifier; Landroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1; HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->invoke()Ljava/lang/Object; @@ -2585,7 +3085,7 @@ HPLandroidx/compose/foundation/text/EmptyMeasurePolicy;->measure-3p2s80s(Landroi Landroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1; HSPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->()V HSPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->()V -HPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HPLandroidx/compose/foundation/text/EmptyMeasurePolicy$placementBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/text/HeightInLinesModifierKt; HSPLandroidx/compose/foundation/text/HeightInLinesModifierKt;->validateMinMaxLines(II)V @@ -2597,7 +3097,7 @@ HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->access$getUnspeci HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(FF)J HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(J)J HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(Landroidx/compose/ui/unit/Density;)J -PLandroidx/compose/foundation/text/modifiers/InlineDensity;->equals-impl0(JJ)Z +HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->equals-impl0(JJ)Z Landroidx/compose/foundation/text/modifiers/InlineDensity$Companion; HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->()V HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -2606,32 +3106,40 @@ Landroidx/compose/foundation/text/modifiers/LayoutUtilsKt; HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalConstraints-tfFHcEY(JZIF)J HSPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxLines-xdlQI24(ZII)I HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxWidth-tfFHcEY(JZIF)I -Landroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILjava/util/List;)V -HSPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILjava/util/List;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->getTextLayoutResult()Landroidx/compose/ui/text/TextLayoutResult; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->layoutText-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/MultiParagraph; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->layoutWithConstraints-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Z -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->newLayoutWillBeDifferent-VKLhPVY(Landroidx/compose/ui/text/TextLayoutResult;JLandroidx/compose/ui/unit/LayoutDirection;)Z -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->setDensity$foundation_release(Landroidx/compose/ui/unit/Density;)V -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/MultiParagraphIntrinsics; -HPLandroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache;->textLayoutResult-VKLhPVY(Landroidx/compose/ui/unit/LayoutDirection;JLandroidx/compose/ui/text/MultiParagraph;)Landroidx/compose/ui/text/TextLayoutResult; -Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;)V -HSPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->create()Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringElement;->create()Landroidx/compose/ui/Modifier$Node; -Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;)V -HSPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;Lkotlin/jvm/functions/Function1;IZIILjava/util/List;Lkotlin/jvm/functions/Function1;Landroidx/compose/foundation/text/modifiers/SelectionController;Landroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->getLayoutCache()Landroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->getLayoutCache(Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/text/modifiers/MultiParagraphLayoutCache; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1; -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/foundation/text/modifiers/TextAnnotatedStringNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->fixedCoerceHeightAndWidthForBits(Landroidx/compose/ui/unit/Constraints$Companion;II)J +Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; +HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->()V +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZII)V +HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getDidOverflow$foundation_release()Z +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getLayoutSize-YbymL2g$foundation_release()J +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getObserveFontChanges$foundation_release()Lkotlin/Unit; +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getParagraph$foundation_release()Landroidx/compose/ui/text/Paragraph; +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->layoutText-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/Paragraph; +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->layoutWithConstraints-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Z +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->newLayoutWillBeDifferent-K40F9xA(JLandroidx/compose/ui/unit/LayoutDirection;)Z +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->setDensity$foundation_release(Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/ParagraphIntrinsics; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleElement; +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->()V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;)V +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->create()Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleElement;->create()Landroidx/compose/ui/Modifier$Node; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode; +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->()V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;)V +HSPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILandroidx/compose/ui/graphics/ColorProducer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->getLayoutCache()Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->getLayoutCache(Landroidx/compose/ui/unit/Density;)Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->getTextSubstitution()Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode$TextSubstitutionValue; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode$TextSubstitutionValue; +Landroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1; +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLandroidx/compose/foundation/text/modifiers/TextStringSimpleNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/foundation/text/selection/SelectionRegistrar; Landroidx/compose/foundation/text/selection/SelectionRegistrarKt; HSPLandroidx/compose/foundation/text/selection/SelectionRegistrarKt;->()V @@ -2645,7 +3153,6 @@ Landroidx/compose/foundation/text/selection/TextSelectionColors; HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->()V HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->(JJ)V HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->(JJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/foundation/text/selection/TextSelectionColors;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/text/selection/TextSelectionColorsKt; HSPLandroidx/compose/foundation/text/selection/TextSelectionColorsKt;->()V HSPLandroidx/compose/foundation/text/selection/TextSelectionColorsKt;->getLocalTextSelectionColors()Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -2726,7 +3233,7 @@ PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndi PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndicator$targetAlpha$2$1;->(Landroidx/compose/material/pullrefresh/PullRefreshState;)V PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndicator$targetAlpha$2$1;->invoke()Ljava/lang/Float; PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$CircularArrowIndicator$targetAlpha$2$1;->invoke()Ljava/lang/Object; -PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->(JILandroidx/compose/material/pullrefresh/PullRefreshState;)V +PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->(JLandroidx/compose/material/pullrefresh/PullRefreshState;)V PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$1$1;->invoke(ZLandroidx/compose/runtime/Composer;I)V PLandroidx/compose/material/pullrefresh/PullRefreshIndicatorKt$PullRefreshIndicator$2;->(ZLandroidx/compose/material/pullrefresh/PullRefreshState;Landroidx/compose/ui/Modifier;JJZII)V @@ -2748,7 +3255,7 @@ PLandroidx/compose/material/pullrefresh/PullRefreshKt$pullRefresh$2$1;->(L PLandroidx/compose/material/pullrefresh/PullRefreshKt$pullRefresh$2$2;->(Ljava/lang/Object;)V PLandroidx/compose/material/pullrefresh/PullRefreshNestedScrollConnection;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;Z)V PLandroidx/compose/material/pullrefresh/PullRefreshState;->()V -HPLandroidx/compose/material/pullrefresh/PullRefreshState;->(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/runtime/State;FF)V +PLandroidx/compose/material/pullrefresh/PullRefreshState;->(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/runtime/State;FF)V PLandroidx/compose/material/pullrefresh/PullRefreshState;->access$getDistancePulled(Landroidx/compose/material/pullrefresh/PullRefreshState;)F PLandroidx/compose/material/pullrefresh/PullRefreshState;->getAdjustedDistancePulled()F PLandroidx/compose/material/pullrefresh/PullRefreshState;->getDistancePulled()F @@ -2771,25 +3278,26 @@ PLandroidx/compose/material/pullrefresh/PullRefreshStateKt$rememberPullRefreshSt PLandroidx/compose/material/pullrefresh/PullRefreshStateKt$rememberPullRefreshState$3;->invoke()Ljava/lang/Object; PLandroidx/compose/material/pullrefresh/PullRefreshStateKt$rememberPullRefreshState$3;->invoke()V Landroidx/compose/material/ripple/AndroidRippleIndicationInstance; -HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/material/ripple/RippleContainer;)V -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/material/ripple/RippleContainer;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->dispose()V +HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->()V +HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroid/view/ViewGroup;)V +HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->(ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroid/view/ViewGroup;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->dispose()V HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->drawIndication(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->getInvalidateTick()Z HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->getRippleHostView()Landroidx/compose/material/ripple/RippleHostView; HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onForgotten()V HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onRemembered()V -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->resetHostView()V -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->setRippleHostView(Landroidx/compose/material/ripple/RippleHostView;)V Landroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1; HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1;->(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V Landroidx/compose/material/ripple/PlatformRipple; +HSPLandroidx/compose/material/ripple/PlatformRipple;->()V HSPLandroidx/compose/material/ripple/PlatformRipple;->(ZFLandroidx/compose/runtime/State;)V HSPLandroidx/compose/material/ripple/PlatformRipple;->(ZFLandroidx/compose/runtime/State;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/material/ripple/PlatformRipple;->findNearestViewGroup(Landroidx/compose/runtime/Composer;I)Landroid/view/ViewGroup; HPLandroidx/compose/material/ripple/PlatformRipple;->rememberUpdatedRippleInstance-942rkJo(Landroidx/compose/foundation/interaction/InteractionSource;ZFLandroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/Composer;I)Landroidx/compose/material/ripple/RippleIndicationInstance; Landroidx/compose/material/ripple/Ripple; -HPLandroidx/compose/material/ripple/Ripple;->(ZFLandroidx/compose/runtime/State;)V +HSPLandroidx/compose/material/ripple/Ripple;->()V +HSPLandroidx/compose/material/ripple/Ripple;->(ZFLandroidx/compose/runtime/State;)V HSPLandroidx/compose/material/ripple/Ripple;->(ZFLandroidx/compose/runtime/State;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material/ripple/Ripple;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/material/ripple/Ripple;->rememberUpdatedInstance(Landroidx/compose/foundation/interaction/InteractionSource;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/IndicationInstance; @@ -2807,22 +3315,11 @@ HSPLandroidx/compose/material/ripple/RippleAlpha;->getPressedAlpha()F Landroidx/compose/material/ripple/RippleAnimationKt; HSPLandroidx/compose/material/ripple/RippleAnimationKt;->()V HPLandroidx/compose/material/ripple/RippleAnimationKt;->getRippleEndRadius-cSwnlzA(Landroidx/compose/ui/unit/Density;ZJ)F -Landroidx/compose/material/ripple/RippleContainer; -HPLandroidx/compose/material/ripple/RippleContainer;->(Landroid/content/Context;)V -HPLandroidx/compose/material/ripple/RippleContainer;->disposeRippleIfNeeded(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V -Landroidx/compose/material/ripple/RippleHostMap; -HSPLandroidx/compose/material/ripple/RippleHostMap;->()V -HPLandroidx/compose/material/ripple/RippleHostMap;->get(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)Landroidx/compose/material/ripple/RippleHostView; Landroidx/compose/material/ripple/RippleHostView; -HSPLandroidx/compose/material/ripple/RippleHostView;->()V -HSPLandroidx/compose/material/ripple/RippleHostView;->(Landroid/content/Context;)V -HSPLandroidx/compose/material/ripple/RippleHostView;->refreshDrawableState()V -Landroidx/compose/material/ripple/RippleHostView$Companion; -HSPLandroidx/compose/material/ripple/RippleHostView$Companion;->()V -HSPLandroidx/compose/material/ripple/RippleHostView$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/material/ripple/RippleIndicationInstance; +HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->()V HPLandroidx/compose/material/ripple/RippleIndicationInstance;->(ZLandroidx/compose/runtime/State;)V -HPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V +HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V Landroidx/compose/material/ripple/RippleKt; HSPLandroidx/compose/material/ripple/RippleKt;->()V HPLandroidx/compose/material/ripple/RippleKt;->rememberRipple-9IZ8Weo(ZFJLandroidx/compose/runtime/Composer;II)Landroidx/compose/foundation/Indication; @@ -2839,7 +3336,7 @@ HPLandroidx/compose/material/ripple/StateLayer;->drawStateLayer-H2RKhps(Landroid Landroidx/compose/material3/AppBarKt; HSPLandroidx/compose/material3/AppBarKt;->()V HPLandroidx/compose/material3/AppBarKt;->CenterAlignedTopAppBar(Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Landroidx/compose/material3/TopAppBarScrollBehavior;Landroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/AppBarKt;->SingleRowTopAppBar$lambda$3(Landroidx/compose/runtime/State;)J +HSPLandroidx/compose/material3/AppBarKt;->SingleRowTopAppBar$lambda$7(Landroidx/compose/runtime/State;)J HPLandroidx/compose/material3/AppBarKt;->SingleRowTopAppBar(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Landroidx/compose/material3/TopAppBarScrollBehavior;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/material3/AppBarKt;->TopAppBarLayout-kXwM9vE(Landroidx/compose/ui/Modifier;FJJJLkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;FLandroidx/compose/foundation/layout/Arrangement$Vertical;Landroidx/compose/foundation/layout/Arrangement$Horizontal;IZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HSPLandroidx/compose/material3/AppBarKt;->access$SingleRowTopAppBar(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Landroidx/compose/material3/TopAppBarScrollBehavior;Landroidx/compose/runtime/Composer;II)V @@ -2850,7 +3347,7 @@ HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$1$1;->(Landroid HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$1$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$1$1;->invoke()V Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2; -HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ILandroidx/compose/material3/TopAppBarScrollBehavior;)V +HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/material3/TopAppBarColors;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/text/TextStyle;ZLkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/material3/TopAppBarScrollBehavior;)V HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3; @@ -2858,24 +3355,20 @@ HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3;->(Landroidx/c HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1; -HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->(Lkotlin/jvm/functions/Function3;I)V +HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$actionsRow$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$1$1; HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$1$1;->(Landroidx/compose/material3/TopAppBarScrollBehavior;)V Landroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$2$1; HSPLandroidx/compose/material3/AppBarKt$SingleRowTopAppBar$appBarDragModifier$2$1;->(Landroidx/compose/material3/TopAppBarScrollBehavior;Lkotlin/coroutines/Continuation;)V -Landroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1; -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1;->(JLkotlin/jvm/functions/Function2;I)V -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$1$3$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2; -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2;->(FLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;I)V -HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1; -HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1;->(Landroidx/compose/ui/layout/Placeable;ILandroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/Arrangement$Horizontal;JLandroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/foundation/layout/Arrangement$Vertical;II)V -HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1; +HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1;->(FLandroidx/compose/foundation/layout/Arrangement$Horizontal;Landroidx/compose/foundation/layout/Arrangement$Vertical;I)V +HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1; +HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1;->(Landroidx/compose/ui/layout/Placeable;ILandroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/Arrangement$Horizontal;JLandroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/foundation/layout/Arrangement$Vertical;II)V +HPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/material3/AppBarKt$TopAppBarLayout$2$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1; HSPLandroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1;->(FFF)V HSPLandroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1;->invoke()Landroidx/compose/material3/TopAppBarState; @@ -2883,105 +3376,79 @@ HSPLandroidx/compose/material3/AppBarKt$rememberTopAppBarState$1$1;->invoke()Lja PLandroidx/compose/material3/CardColors;->()V HPLandroidx/compose/material3/CardColors;->(JJJJ)V PLandroidx/compose/material3/CardColors;->(JJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material3/CardColors;->containerColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -HPLandroidx/compose/material3/CardColors;->contentColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +PLandroidx/compose/material3/CardColors;->containerColor-vNxB06k$material3_release(Z)J +PLandroidx/compose/material3/CardColors;->contentColor-vNxB06k$material3_release(Z)J +HPLandroidx/compose/material3/CardColors;->copy-jRlVdoo(JJJJ)Landroidx/compose/material3/CardColors; PLandroidx/compose/material3/CardDefaults;->()V PLandroidx/compose/material3/CardDefaults;->()V HPLandroidx/compose/material3/CardDefaults;->elevatedCardColors-ro_MJ88(JJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/CardColors; HPLandroidx/compose/material3/CardDefaults;->elevatedCardElevation-aqJV_2Y(FFFFFFLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/CardElevation; +PLandroidx/compose/material3/CardDefaults;->getDefaultElevatedCardColors$material3_release(Landroidx/compose/material3/ColorScheme;)Landroidx/compose/material3/CardColors; PLandroidx/compose/material3/CardElevation;->()V HPLandroidx/compose/material3/CardElevation;->(FFFFFF)V PLandroidx/compose/material3/CardElevation;->(FFFFFFLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/material3/CardElevation;->access$getDefaultElevation$p(Landroidx/compose/material3/CardElevation;)F HPLandroidx/compose/material3/CardElevation;->shadowElevation$material3_release(ZLandroidx/compose/foundation/interaction/InteractionSource;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -HPLandroidx/compose/material3/CardElevation;->tonalElevation$material3_release(ZLandroidx/compose/foundation/interaction/InteractionSource;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +PLandroidx/compose/material3/CardElevation;->tonalElevation-u2uoSUM$material3_release(Z)F HPLandroidx/compose/material3/CardKt;->Card(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;Landroidx/compose/material3/CardColors;Landroidx/compose/material3/CardElevation;Landroidx/compose/foundation/BorderStroke;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/material3/CardKt;->ElevatedCard(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;Landroidx/compose/material3/CardColors;Landroidx/compose/material3/CardElevation;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/material3/CardKt$Card$1;->(Lkotlin/jvm/functions/Function3;I)V +PLandroidx/compose/material3/CardKt$Card$1;->(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/material3/CardKt$Card$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/material3/CardKt$Card$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/material3/CardKt$Card$2;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;Landroidx/compose/material3/CardColors;Landroidx/compose/material3/CardElevation;Landroidx/compose/foundation/BorderStroke;Lkotlin/jvm/functions/Function3;II)V Landroidx/compose/material3/ColorScheme; HSPLandroidx/compose/material3/ColorScheme;->()V -HPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)V -HSPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material3/ColorScheme;->copy-G1PFc-w$default(Landroidx/compose/material3/ColorScheme;JJJJJJJJJJJJJJJJJJJJJJJJJJJJJILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; -HSPLandroidx/compose/material3/ColorScheme;->copy-G1PFc-w(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; -HPLandroidx/compose/material3/ColorScheme;->getBackground-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getError-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getErrorContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getInverseOnSurface-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getInversePrimary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)V +HSPLandroidx/compose/material3/ColorScheme;->(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/material3/ColorScheme;->getBackground-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getDefaultCenterAlignedTopAppBarColorsCached$material3_release()Landroidx/compose/material3/TopAppBarColors; +PLandroidx/compose/material3/ColorScheme;->getDefaultElevatedCardColorsCached$material3_release()Landroidx/compose/material3/CardColors; +HSPLandroidx/compose/material3/ColorScheme;->getDefaultNavigationBarItemColorsCached$material3_release()Landroidx/compose/material3/NavigationBarItemColors; +HSPLandroidx/compose/material3/ColorScheme;->getError-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getErrorContainer-0d7_KjU()J HSPLandroidx/compose/material3/ColorScheme;->getInverseSurface-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnBackground-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnError-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnErrorContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnPrimary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnPrimaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnSecondary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnSecondaryContainer-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnSurface-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getOnSurfaceVariant-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnTertiary-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOnTertiaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOutline-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getOutlineVariant-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getPrimary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getPrimaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->getScrim-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSecondary-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSecondaryContainer-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSurface-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSurfaceTint-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getSurfaceVariant-0d7_KjU()J -HPLandroidx/compose/material3/ColorScheme;->getTertiary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnBackground-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnPrimaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnSecondaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnSurface-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getOnSurfaceVariant-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getPrimary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getPrimaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSecondary-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSecondaryContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurface-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceBright-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainer-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerHigh-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerHighest-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerLow-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceContainerLowest-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceTint-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getSurfaceVariant-0d7_KjU()J +HSPLandroidx/compose/material3/ColorScheme;->getTertiary-0d7_KjU()J HSPLandroidx/compose/material3/ColorScheme;->getTertiaryContainer-0d7_KjU()J -HSPLandroidx/compose/material3/ColorScheme;->setBackground-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setError-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setErrorContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setInverseOnSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setInversePrimary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setInverseSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnBackground-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnError-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnErrorContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnPrimary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnPrimaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSecondary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSecondaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnSurfaceVariant-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnTertiary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOnTertiaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOutline-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setOutlineVariant-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setPrimary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setPrimaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setScrim-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSecondary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSecondaryContainer-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSurface-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSurfaceTint-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setSurfaceVariant-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setTertiary-8_81llA$material3_release(J)V -HSPLandroidx/compose/material3/ColorScheme;->setTertiaryContainer-8_81llA$material3_release(J)V +HSPLandroidx/compose/material3/ColorScheme;->setDefaultCenterAlignedTopAppBarColorsCached$material3_release(Landroidx/compose/material3/TopAppBarColors;)V +PLandroidx/compose/material3/ColorScheme;->setDefaultElevatedCardColorsCached$material3_release(Landroidx/compose/material3/CardColors;)V +HSPLandroidx/compose/material3/ColorScheme;->setDefaultNavigationBarItemColorsCached$material3_release(Landroidx/compose/material3/NavigationBarItemColors;)V Landroidx/compose/material3/ColorSchemeKt; HSPLandroidx/compose/material3/ColorSchemeKt;->()V -HSPLandroidx/compose/material3/ColorSchemeKt;->applyTonalElevation-Hht5A8o(Landroidx/compose/material3/ColorScheme;JF)J +HPLandroidx/compose/material3/ColorSchemeKt;->applyTonalElevation-RFCenO8(Landroidx/compose/material3/ColorScheme;JFLandroidx/compose/runtime/Composer;I)J HPLandroidx/compose/material3/ColorSchemeKt;->contentColorFor-4WTKRHQ(Landroidx/compose/material3/ColorScheme;J)J HPLandroidx/compose/material3/ColorSchemeKt;->contentColorFor-ek8zF_U(JLandroidx/compose/runtime/Composer;I)J -HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-G1PFc-w$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; -HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-G1PFc-w(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; -HPLandroidx/compose/material3/ColorSchemeKt;->fromToken(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/tokens/ColorSchemeKeyTokens;)J +HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-C-Xl9yA$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJIILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->darkColorScheme-C-Xl9yA(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->fromToken(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/tokens/ColorSchemeKeyTokens;)J HPLandroidx/compose/material3/ColorSchemeKt;->getLocalColorScheme()Landroidx/compose/runtime/ProvidableCompositionLocal; -HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-G1PFc-w$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; -HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-G1PFc-w(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-C-Xl9yA$default(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJIILjava/lang/Object;)Landroidx/compose/material3/ColorScheme; +HSPLandroidx/compose/material3/ColorSchemeKt;->lightColorScheme-C-Xl9yA(JJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJJ)Landroidx/compose/material3/ColorScheme; HPLandroidx/compose/material3/ColorSchemeKt;->surfaceColorAtElevation-3ABfNKs(Landroidx/compose/material3/ColorScheme;F)J -HPLandroidx/compose/material3/ColorSchemeKt;->toColor(Landroidx/compose/material3/tokens/ColorSchemeKeyTokens;Landroidx/compose/runtime/Composer;I)J -HPLandroidx/compose/material3/ColorSchemeKt;->updateColorSchemeFrom(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/ColorScheme;)V Landroidx/compose/material3/ColorSchemeKt$LocalColorScheme$1; HSPLandroidx/compose/material3/ColorSchemeKt$LocalColorScheme$1;->()V HSPLandroidx/compose/material3/ColorSchemeKt$LocalColorScheme$1;->()V +Landroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1; +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->()V +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->()V +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->invoke()Ljava/lang/Boolean; +HSPLandroidx/compose/material3/ColorSchemeKt$LocalTonalElevationEnabled$1;->invoke()Ljava/lang/Object; Landroidx/compose/material3/ColorSchemeKt$WhenMappings; HSPLandroidx/compose/material3/ColorSchemeKt$WhenMappings;->()V Landroidx/compose/material3/ComposableSingletons$AppBarKt; @@ -3071,24 +3538,12 @@ Landroidx/compose/material3/EnterAlwaysScrollBehavior$nestedScrollConnection$1; HSPLandroidx/compose/material3/EnterAlwaysScrollBehavior$nestedScrollConnection$1;->(Landroidx/compose/material3/EnterAlwaysScrollBehavior;)V Landroidx/compose/material3/FabPosition; HSPLandroidx/compose/material3/FabPosition;->()V -HSPLandroidx/compose/material3/FabPosition;->(I)V HSPLandroidx/compose/material3/FabPosition;->access$getEnd$cp()I -HSPLandroidx/compose/material3/FabPosition;->box-impl(I)Landroidx/compose/material3/FabPosition; HSPLandroidx/compose/material3/FabPosition;->constructor-impl(I)I Landroidx/compose/material3/FabPosition$Companion; HSPLandroidx/compose/material3/FabPosition$Companion;->()V HSPLandroidx/compose/material3/FabPosition$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material3/FabPosition$Companion;->getEnd-ERTFSPs()I -PLandroidx/compose/material3/IconButtonColors;->()V -PLandroidx/compose/material3/IconButtonColors;->(JJJJ)V -PLandroidx/compose/material3/IconButtonColors;->(JJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/material3/IconButtonColors;->containerColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -PLandroidx/compose/material3/IconButtonColors;->contentColor$material3_release(ZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; -PLandroidx/compose/material3/IconButtonDefaults;->()V -PLandroidx/compose/material3/IconButtonDefaults;->()V -PLandroidx/compose/material3/IconButtonDefaults;->iconButtonColors-ro_MJ88(JJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/IconButtonColors; -HPLandroidx/compose/material3/IconButtonKt;->IconButton(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;ZLandroidx/compose/material3/IconButtonColors;Landroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -PLandroidx/compose/material3/IconButtonKt$IconButton$3;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;ZLandroidx/compose/material3/IconButtonColors;Landroidx/compose/foundation/interaction/MutableInteractionSource;Lkotlin/jvm/functions/Function2;II)V Landroidx/compose/material3/IconKt; HSPLandroidx/compose/material3/IconKt;->()V HPLandroidx/compose/material3/IconKt;->Icon-ww6aTOc(Landroidx/compose/ui/graphics/painter/Painter;Ljava/lang/String;Landroidx/compose/ui/Modifier;JLandroidx/compose/runtime/Composer;II)V @@ -3109,17 +3564,14 @@ PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveC PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveComponentEnforcement$1;->()V PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveComponentEnforcement$1;->invoke()Ljava/lang/Boolean; PLandroidx/compose/material3/InteractiveComponentSizeKt$LocalMinimumInteractiveComponentEnforcement$1;->invoke()Ljava/lang/Object; -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->()V -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->()V -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/Modifier; -PLandroidx/compose/material3/InteractiveComponentSizeKt$minimumInteractiveComponentSize$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/MappedInteractionSource; +HSPLandroidx/compose/material3/MappedInteractionSource;->()V HPLandroidx/compose/material3/MappedInteractionSource;->(Landroidx/compose/foundation/interaction/InteractionSource;J)V HSPLandroidx/compose/material3/MappedInteractionSource;->(Landroidx/compose/foundation/interaction/InteractionSource;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material3/MappedInteractionSource;->getInteractions()Lkotlinx/coroutines/flow/Flow; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->(Lkotlinx/coroutines/flow/Flow;Landroidx/compose/material3/MappedInteractionSource;)V -HPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;Landroidx/compose/material3/MappedInteractionSource;)V Landroidx/compose/material3/MaterialRippleTheme; @@ -3139,17 +3591,28 @@ HPLandroidx/compose/material3/MaterialThemeKt;->MaterialTheme(Landroidx/compose/ HSPLandroidx/compose/material3/MaterialThemeKt;->access$getDefaultRippleAlpha$p()Landroidx/compose/material/ripple/RippleAlpha; HPLandroidx/compose/material3/MaterialThemeKt;->rememberTextSelectionColors(Landroidx/compose/material3/ColorScheme;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/text/selection/TextSelectionColors; Landroidx/compose/material3/MaterialThemeKt$MaterialTheme$1; -HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->(Landroidx/compose/material3/Typography;Lkotlin/jvm/functions/Function2;I)V +HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->(Landroidx/compose/material3/Typography;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/MaterialThemeKt$MaterialTheme$2; -HSPLandroidx/compose/material3/MaterialThemeKt$MaterialTheme$2;->(Landroidx/compose/material3/ColorScheme;Landroidx/compose/material3/Shapes;Landroidx/compose/material3/Typography;Lkotlin/jvm/functions/Function2;II)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier;->(J)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier$measure$1;->(ILandroidx/compose/ui/layout/Placeable;I)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLandroidx/compose/material3/MinimumInteractiveComponentSizeModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/material3/MinimumInteractiveModifier;->()V +PLandroidx/compose/material3/MinimumInteractiveModifier;->()V +PLandroidx/compose/material3/MinimumInteractiveModifier;->create()Landroidx/compose/material3/MinimumInteractiveModifierNode; +PLandroidx/compose/material3/MinimumInteractiveModifier;->create()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/material3/MinimumInteractiveModifierNode;->()V +PLandroidx/compose/material3/MinimumInteractiveModifierNode;->()V +PLandroidx/compose/material3/MinimumInteractiveModifierNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +PLandroidx/compose/material3/MinimumInteractiveModifierNode$measure$1;->(ILandroidx/compose/ui/layout/Placeable;I)V +PLandroidx/compose/material3/MinimumInteractiveModifierNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLandroidx/compose/material3/MinimumInteractiveModifierNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/MutableWindowInsets; +HSPLandroidx/compose/material3/MutableWindowInsets;->()V +HSPLandroidx/compose/material3/MutableWindowInsets;->(Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/material3/MutableWindowInsets;->getBottom(Landroidx/compose/ui/unit/Density;)I +HPLandroidx/compose/material3/MutableWindowInsets;->getInsets()Landroidx/compose/foundation/layout/WindowInsets; +HSPLandroidx/compose/material3/MutableWindowInsets;->getLeft(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/material3/MutableWindowInsets;->getRight(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;)I +HSPLandroidx/compose/material3/MutableWindowInsets;->getTop(Landroidx/compose/ui/unit/Density;)I +HSPLandroidx/compose/material3/MutableWindowInsets;->setInsets(Landroidx/compose/foundation/layout/WindowInsets;)V Landroidx/compose/material3/NavigationBarDefaults; HSPLandroidx/compose/material3/NavigationBarDefaults;->()V HSPLandroidx/compose/material3/NavigationBarDefaults;->()V @@ -3157,7 +3620,7 @@ HSPLandroidx/compose/material3/NavigationBarDefaults;->getElevation-D9Ej5fM()F HSPLandroidx/compose/material3/NavigationBarDefaults;->getWindowInsets(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/material3/NavigationBarItemColors; HSPLandroidx/compose/material3/NavigationBarItemColors;->()V -HPLandroidx/compose/material3/NavigationBarItemColors;->(JJJJJJJ)V +HSPLandroidx/compose/material3/NavigationBarItemColors;->(JJJJJJJ)V HSPLandroidx/compose/material3/NavigationBarItemColors;->(JJJJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/material3/NavigationBarItemColors;->getIndicatorColor-0d7_KjU$material3_release()J HPLandroidx/compose/material3/NavigationBarItemColors;->iconColor$material3_release(ZZLandroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; @@ -3165,37 +3628,44 @@ HPLandroidx/compose/material3/NavigationBarItemColors;->textColor$material3_rele Landroidx/compose/material3/NavigationBarItemDefaults; HSPLandroidx/compose/material3/NavigationBarItemDefaults;->()V HSPLandroidx/compose/material3/NavigationBarItemDefaults;->()V -HPLandroidx/compose/material3/NavigationBarItemDefaults;->colors-69fazGs(JJJJJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/NavigationBarItemColors; +HSPLandroidx/compose/material3/NavigationBarItemDefaults;->colors(Landroidx/compose/runtime/Composer;I)Landroidx/compose/material3/NavigationBarItemColors; +HSPLandroidx/compose/material3/NavigationBarItemDefaults;->getDefaultNavigationBarItemColors$material3_release(Landroidx/compose/material3/ColorScheme;)Landroidx/compose/material3/NavigationBarItemColors; Landroidx/compose/material3/NavigationBarKt; HSPLandroidx/compose/material3/NavigationBarKt;->()V HPLandroidx/compose/material3/NavigationBarKt;->NavigationBar-HsRjFd4(Landroidx/compose/ui/Modifier;JJFLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$3(Landroidx/compose/runtime/MutableState;)I -HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableState;I)V -HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$9$lambda$6(Landroidx/compose/runtime/State;)F +HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$3(Landroidx/compose/runtime/MutableIntState;)I +HSPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableIntState;I)V HPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItem(Landroidx/compose/foundation/layout/RowScope;ZLkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function2;Landroidx/compose/ui/Modifier;ZLkotlin/jvm/functions/Function2;ZLandroidx/compose/material3/NavigationBarItemColors;Landroidx/compose/foundation/interaction/MutableInteractionSource;Landroidx/compose/runtime/Composer;II)V -HPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItemBaselineLayout(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ZFLandroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/NavigationBarKt;->access$NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableState;I)V -HSPLandroidx/compose/material3/NavigationBarKt;->access$NavigationBarItem$lambda$9$lambda$6(Landroidx/compose/runtime/State;)F +HPLandroidx/compose/material3/NavigationBarKt;->NavigationBarItemLayout(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ZLkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/material3/NavigationBarKt;->access$NavigationBarItem$lambda$4(Landroidx/compose/runtime/MutableIntState;I)V HSPLandroidx/compose/material3/NavigationBarKt;->access$getIndicatorHorizontalPadding$p()F -HSPLandroidx/compose/material3/NavigationBarKt;->access$getIndicatorVerticalPadding$p()F HSPLandroidx/compose/material3/NavigationBarKt;->access$getNavigationBarHeight$p()F HSPLandroidx/compose/material3/NavigationBarKt;->access$placeLabelAndIcon-zUg2_y0(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;JZF)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/material3/NavigationBarKt;->getIndicatorVerticalPadding()F HSPLandroidx/compose/material3/NavigationBarKt;->getNavigationBarItemHorizontalPadding()F HPLandroidx/compose/material3/NavigationBarKt;->placeLabelAndIcon-zUg2_y0(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/Placeable;JZF)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/material3/NavigationBarKt$NavigationBar$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->(Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;I)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->(Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBar$2; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBar$2;->(Landroidx/compose/ui/Modifier;JJFLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;II)V Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->(Landroidx/compose/runtime/MutableState;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->(Landroidx/compose/runtime/MutableIntState;)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$2$1;->invoke-ozmzZPI(J)V +Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1;->(Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1;->invoke()Ljava/lang/Float; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$2$1;->invoke()Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->(Landroidx/compose/material3/NavigationBarItemColors;Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->(Landroidx/compose/runtime/State;Landroidx/compose/material3/NavigationBarItemColors;)V HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1;->(Landroidx/compose/runtime/State;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicator$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicatorRipple$1; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicatorRipple$1;->(Landroidx/compose/material3/MappedInteractionSource;)V HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$3$indicatorRipple$1;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -3205,7 +3675,7 @@ HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$4;->(Landr HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$4;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$4;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1; -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZILkotlin/jvm/functions/Function2;ZLkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZLkotlin/jvm/functions/Function2;ZLkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->invoke$lambda$0(Landroidx/compose/runtime/State;)J HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -3213,19 +3683,19 @@ Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1$1; HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1$1;->()V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledIcon$1$1;->()V Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1; -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZILkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->(Landroidx/compose/material3/NavigationBarItemColors;ZZLkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->invoke$lambda$0(Landroidx/compose/runtime/State;)J HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1;->(Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;I)V -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItem$styledLabel$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/NavigationBarKt$NavigationBarItemBaselineLayout$2; -HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemBaselineLayout$2;->(FLkotlin/jvm/functions/Function2;Z)V -HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemBaselineLayout$2;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1;->(ZLkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$1$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$2$1; +HSPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$2$1;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function2;Z)V +HPLandroidx/compose/material3/NavigationBarKt$NavigationBarItemLayout$2$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1; -HPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->(Landroidx/compose/ui/layout/Placeable;ZFLandroidx/compose/ui/layout/Placeable;IIILandroidx/compose/ui/layout/Placeable;IILandroidx/compose/ui/layout/Placeable;IIILandroidx/compose/ui/layout/MeasureScope;)V +HPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->(Landroidx/compose/ui/layout/Placeable;ZFLandroidx/compose/ui/layout/Placeable;IFFLandroidx/compose/ui/layout/Placeable;IFLandroidx/compose/ui/layout/Placeable;IFILandroidx/compose/ui/layout/MeasureScope;)V HPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/material3/NavigationBarKt$placeLabelAndIcon$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ProgressIndicatorDefaults; @@ -3243,10 +3713,10 @@ HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$getCircularEasing$p( HPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicator-42QJj7c(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V HSPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V HPLandroidx/compose/material3/ProgressIndicatorKt;->drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V -Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3; -HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3;->(JLandroidx/compose/ui/graphics/drawscope/Stroke;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;FJ)V -HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1; +HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->(JLandroidx/compose/ui/graphics/drawscope/Stroke;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;FJ)V +HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1; HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V @@ -3257,37 +3727,55 @@ HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$sta HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$startAngle$1;->()V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$startAngle$1;->invoke(Landroidx/compose/animation/core/KeyframesSpec$KeyframesSpecConfig;)V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$startAngle$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$1; +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$1;->()V +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$1;->()V +Landroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$2; +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$2;->()V +HSPLandroidx/compose/material3/ProgressIndicatorKt$IncreaseSemanticsBounds$2;->()V +Landroidx/compose/material3/ProvideContentColorTextStyleKt; +HPLandroidx/compose/material3/ProvideContentColorTextStyleKt;->ProvideContentColorTextStyle-3J-VO9M(JLandroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V +Landroidx/compose/material3/ProvideContentColorTextStyleKt$ProvideContentColorTextStyle$1; +HSPLandroidx/compose/material3/ProvideContentColorTextStyleKt$ProvideContentColorTextStyle$1;->(JLandroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;I)V Landroidx/compose/material3/ScaffoldKt; HSPLandroidx/compose/material3/ScaffoldKt;->()V HPLandroidx/compose/material3/ScaffoldKt;->Scaffold-TvnljyQ(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IJJLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/material3/ScaffoldKt;->ScaffoldLayout-FMILGgc(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V +HPLandroidx/compose/material3/ScaffoldKt;->ScaffoldLayoutWithMeasureFix-FMILGgc(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/ScaffoldKt;->access$ScaffoldLayout-FMILGgc(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/material3/ScaffoldKt;->getLocalFabPlacement()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLandroidx/compose/material3/ScaffoldKt;->getScaffoldSubcomposeInMeasureFix()Z Landroidx/compose/material3/ScaffoldKt$LocalFabPlacement$1; HSPLandroidx/compose/material3/ScaffoldKt$LocalFabPlacement$1;->()V HSPLandroidx/compose/material3/ScaffoldKt$LocalFabPlacement$1;->()V -Landroidx/compose/material3/ScaffoldKt$Scaffold$1; -HPLandroidx/compose/material3/ScaffoldKt$Scaffold$1;->(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;I)V -HPLandroidx/compose/material3/ScaffoldKt$Scaffold$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$Scaffold$1$1; +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1$1;->(Landroidx/compose/material3/MutableWindowInsets;Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1$1;->invoke(Landroidx/compose/foundation/layout/WindowInsets;)V +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ScaffoldKt$Scaffold$2; -HPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IJJLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;II)V -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1; -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ILandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;ILkotlin/jvm/functions/Function3;)V -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1;->invoke-0kLqBqw(Landroidx/compose/ui/layout/SubcomposeMeasureScope;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1; -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1;->(Landroidx/compose/ui/layout/SubcomposeMeasureScope;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IILandroidx/compose/foundation/layout/WindowInsets;JLkotlin/jvm/functions/Function2;ILkotlin/jvm/functions/Function3;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1; -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/layout/SubcomposeMeasureScope;Ljava/util/List;ILjava/util/List;Ljava/lang/Integer;Lkotlin/jvm/functions/Function3;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bodyContentPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1; -HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1;->(Landroidx/compose/material3/FabPlacement;Lkotlin/jvm/functions/Function2;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1$1$1$bottomBarPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/material3/MutableWindowInsets;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->invoke(Landroidx/compose/runtime/Composer;I)V +HSPLandroidx/compose/material3/ScaffoldKt$Scaffold$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$Scaffold$3; +HPLandroidx/compose/material3/ScaffoldKt$Scaffold$3;->(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;IJJLandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function3;II)V +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1; +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayout$1;->(ILkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;I)V +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1; +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;ILandroidx/compose/foundation/layout/WindowInsets;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function3;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1;->invoke-0kLqBqw(Landroidx/compose/ui/layout/SubcomposeMeasureScope;J)Landroidx/compose/ui/layout/MeasureResult; +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1; +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1;->(Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Landroidx/compose/material3/FabPlacement;IILandroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/layout/SubcomposeMeasureScope;IILjava/lang/Integer;Ljava/util/List;Ljava/lang/Integer;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1; +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1;->(Landroidx/compose/foundation/layout/WindowInsets;Landroidx/compose/ui/layout/SubcomposeMeasureScope;Ljava/util/List;ILjava/util/List;Ljava/lang/Integer;Lkotlin/jvm/functions/Function3;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bodyContentPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1; +HSPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1;->(Landroidx/compose/material3/FabPlacement;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1;->invoke(Landroidx/compose/runtime/Composer;I)V +HPLandroidx/compose/material3/ScaffoldKt$ScaffoldLayoutWithMeasureFix$1$1$bottomBarPlaceables$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ScaffoldLayoutContent; HSPLandroidx/compose/material3/ScaffoldLayoutContent;->$values()[Landroidx/compose/material3/ScaffoldLayoutContent; HSPLandroidx/compose/material3/ScaffoldLayoutContent;->()V @@ -3304,11 +3792,12 @@ Landroidx/compose/material3/Shapes; HSPLandroidx/compose/material3/Shapes;->()V HSPLandroidx/compose/material3/Shapes;->(Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;)V HSPLandroidx/compose/material3/Shapes;->(Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;Landroidx/compose/foundation/shape/CornerBasedShape;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/material3/Shapes;->getSmall()Landroidx/compose/foundation/shape/CornerBasedShape; Landroidx/compose/material3/ShapesKt; HSPLandroidx/compose/material3/ShapesKt;->()V HPLandroidx/compose/material3/ShapesKt;->fromToken(Landroidx/compose/material3/Shapes;Landroidx/compose/material3/tokens/ShapeKeyTokens;)Landroidx/compose/ui/graphics/Shape; HSPLandroidx/compose/material3/ShapesKt;->getLocalShapes()Landroidx/compose/runtime/ProvidableCompositionLocal; -HPLandroidx/compose/material3/ShapesKt;->toShape(Landroidx/compose/material3/tokens/ShapeKeyTokens;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/graphics/Shape; +HPLandroidx/compose/material3/ShapesKt;->getValue(Landroidx/compose/material3/tokens/ShapeKeyTokens;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/graphics/Shape; Landroidx/compose/material3/ShapesKt$LocalShapes$1; HSPLandroidx/compose/material3/ShapesKt$LocalShapes$1;->()V HSPLandroidx/compose/material3/ShapesKt$LocalShapes$1;->()V @@ -3319,9 +3808,9 @@ HSPLandroidx/compose/material3/ShapesKt$WhenMappings;->()V Landroidx/compose/material3/SurfaceKt; HSPLandroidx/compose/material3/SurfaceKt;->()V HPLandroidx/compose/material3/SurfaceKt;->Surface-T9BRK9s(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JJFFLandroidx/compose/foundation/BorderStroke;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/SurfaceKt;->access$surface-8ww4TTg(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/material3/SurfaceKt;->access$surface-XO-JAsU(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; HSPLandroidx/compose/material3/SurfaceKt;->access$surfaceColorAtElevation-CLU3JFs(JFLandroidx/compose/runtime/Composer;I)J -HPLandroidx/compose/material3/SurfaceKt;->surface-8ww4TTg(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; +HPLandroidx/compose/material3/SurfaceKt;->surface-XO-JAsU(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JLandroidx/compose/foundation/BorderStroke;F)Landroidx/compose/ui/Modifier; HPLandroidx/compose/material3/SurfaceKt;->surfaceColorAtElevation-CLU3JFs(JFLandroidx/compose/runtime/Composer;I)J Landroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1; HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->()V @@ -3329,20 +3818,21 @@ HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->( HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->invoke()Ljava/lang/Object; HSPLandroidx/compose/material3/SurfaceKt$LocalAbsoluteTonalElevation$1;->invoke-D9Ej5fM()F Landroidx/compose/material3/SurfaceKt$Surface$1; -HPLandroidx/compose/material3/SurfaceKt$Surface$1;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JFILandroidx/compose/foundation/BorderStroke;FLkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/material3/SurfaceKt$Surface$1;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;JFLandroidx/compose/foundation/BorderStroke;FLkotlin/jvm/functions/Function2;)V HPLandroidx/compose/material3/SurfaceKt$Surface$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/material3/SurfaceKt$Surface$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/SurfaceKt$Surface$1$1; -HSPLandroidx/compose/material3/SurfaceKt$Surface$1$1;->()V -HSPLandroidx/compose/material3/SurfaceKt$Surface$1$1;->()V Landroidx/compose/material3/SurfaceKt$Surface$1$2; -HSPLandroidx/compose/material3/SurfaceKt$Surface$1$2;->(Lkotlin/coroutines/Continuation;)V +HSPLandroidx/compose/material3/SurfaceKt$Surface$1$2;->()V +HSPLandroidx/compose/material3/SurfaceKt$Surface$1$2;->()V +Landroidx/compose/material3/SurfaceKt$Surface$1$3; +HSPLandroidx/compose/material3/SurfaceKt$Surface$1$3;->(Lkotlin/coroutines/Continuation;)V Landroidx/compose/material3/SystemBarsDefaultInsets_androidKt; HPLandroidx/compose/material3/SystemBarsDefaultInsets_androidKt;->getSystemBarsForVisualComponents(Landroidx/compose/foundation/layout/WindowInsets$Companion;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/material3/TextKt; HSPLandroidx/compose/material3/TextKt;->()V HPLandroidx/compose/material3/TextKt;->ProvideTextStyle(Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/material3/TextKt;->Text--4IGK_g(Ljava/lang/String;Landroidx/compose/ui/Modifier;JJLandroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontFamily;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/text/style/TextAlign;JIZIILkotlin/jvm/functions/Function1;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/runtime/Composer;III)V +HSPLandroidx/compose/material3/TextKt;->getLocalTextStyle()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/material3/TextKt$LocalTextStyle$1; HSPLandroidx/compose/material3/TextKt$LocalTextStyle$1;->()V HSPLandroidx/compose/material3/TextKt$LocalTextStyle$1;->()V @@ -3351,26 +3841,23 @@ HSPLandroidx/compose/material3/TextKt$LocalTextStyle$1;->invoke()Ljava/lang/Obje Landroidx/compose/material3/TextKt$ProvideTextStyle$1; HSPLandroidx/compose/material3/TextKt$ProvideTextStyle$1;->(Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function2;I)V Landroidx/compose/material3/TextKt$Text$1; -HSPLandroidx/compose/material3/TextKt$Text$1;->()V -HSPLandroidx/compose/material3/TextKt$Text$1;->()V -HPLandroidx/compose/material3/TextKt$Text$1;->invoke(Landroidx/compose/ui/text/TextLayoutResult;)V -HPLandroidx/compose/material3/TextKt$Text$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/material3/TextKt$Text$2; -HPLandroidx/compose/material3/TextKt$Text$2;->(Ljava/lang/String;Landroidx/compose/ui/Modifier;JJLandroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontFamily;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/text/style/TextAlign;JIZIILkotlin/jvm/functions/Function1;Landroidx/compose/ui/text/TextStyle;III)V +HPLandroidx/compose/material3/TextKt$Text$1;->(Ljava/lang/String;Landroidx/compose/ui/Modifier;JJLandroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontFamily;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/text/style/TextAlign;JIZIILkotlin/jvm/functions/Function1;Landroidx/compose/ui/text/TextStyle;III)V Landroidx/compose/material3/TopAppBarColors; HSPLandroidx/compose/material3/TopAppBarColors;->()V HSPLandroidx/compose/material3/TopAppBarColors;->(JJJJJ)V HSPLandroidx/compose/material3/TopAppBarColors;->(JJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/material3/TopAppBarColors;->containerColor-XeAY9LY$material3_release(FLandroidx/compose/runtime/Composer;I)J +HSPLandroidx/compose/material3/TopAppBarColors;->containerColor-vNxB06k$material3_release(F)J +HPLandroidx/compose/material3/TopAppBarColors;->copy-t635Npw(JJJJJ)Landroidx/compose/material3/TopAppBarColors; HPLandroidx/compose/material3/TopAppBarColors;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/material3/TopAppBarColors;->getActionIconContentColor-0d7_KjU$material3_release()J -HSPLandroidx/compose/material3/TopAppBarColors;->getNavigationIconContentColor-0d7_KjU$material3_release()J -HSPLandroidx/compose/material3/TopAppBarColors;->getTitleContentColor-0d7_KjU$material3_release()J +HSPLandroidx/compose/material3/TopAppBarColors;->getActionIconContentColor-0d7_KjU()J +HSPLandroidx/compose/material3/TopAppBarColors;->getNavigationIconContentColor-0d7_KjU()J +HSPLandroidx/compose/material3/TopAppBarColors;->getTitleContentColor-0d7_KjU()J Landroidx/compose/material3/TopAppBarDefaults; HSPLandroidx/compose/material3/TopAppBarDefaults;->()V HSPLandroidx/compose/material3/TopAppBarDefaults;->()V HPLandroidx/compose/material3/TopAppBarDefaults;->centerAlignedTopAppBarColors-zjMxDiM(JJJJJLandroidx/compose/runtime/Composer;II)Landroidx/compose/material3/TopAppBarColors; HPLandroidx/compose/material3/TopAppBarDefaults;->enterAlwaysScrollBehavior(Landroidx/compose/material3/TopAppBarState;Lkotlin/jvm/functions/Function0;Landroidx/compose/animation/core/AnimationSpec;Landroidx/compose/animation/core/DecayAnimationSpec;Landroidx/compose/runtime/Composer;II)Landroidx/compose/material3/TopAppBarScrollBehavior; +HSPLandroidx/compose/material3/TopAppBarDefaults;->getDefaultCenterAlignedTopAppBarColors$material3_release(Landroidx/compose/material3/ColorScheme;)Landroidx/compose/material3/TopAppBarColors; HPLandroidx/compose/material3/TopAppBarDefaults;->getWindowInsets(Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; Landroidx/compose/material3/TopAppBarDefaults$enterAlwaysScrollBehavior$1; HSPLandroidx/compose/material3/TopAppBarDefaults$enterAlwaysScrollBehavior$1;->()V @@ -3380,7 +3867,7 @@ Landroidx/compose/material3/TopAppBarState; HSPLandroidx/compose/material3/TopAppBarState;->()V HSPLandroidx/compose/material3/TopAppBarState;->(FFF)V HSPLandroidx/compose/material3/TopAppBarState;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; -HPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F +HSPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F HSPLandroidx/compose/material3/TopAppBarState;->getHeightOffset()F HPLandroidx/compose/material3/TopAppBarState;->getHeightOffsetLimit()F HSPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F @@ -3409,8 +3896,8 @@ HSPLandroidx/compose/material3/Typography;->getLabelMedium()Landroidx/compose/ui HSPLandroidx/compose/material3/Typography;->getTitleLarge()Landroidx/compose/ui/text/TextStyle; Landroidx/compose/material3/TypographyKt; HSPLandroidx/compose/material3/TypographyKt;->()V -HPLandroidx/compose/material3/TypographyKt;->fromToken(Landroidx/compose/material3/Typography;Landroidx/compose/material3/tokens/TypographyKeyTokens;)Landroidx/compose/ui/text/TextStyle; -HPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLandroidx/compose/material3/TypographyKt;->fromToken(Landroidx/compose/material3/Typography;Landroidx/compose/material3/tokens/TypographyKeyTokens;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/material3/TypographyKt$LocalTypography$1; HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V @@ -3427,10 +3914,24 @@ Landroidx/compose/material3/tokens/ColorDarkTokens; HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->()V HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->()V HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getOutlineVariant-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceBright-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainer-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerHigh-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerHighest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerLow-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceContainerLowest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorDarkTokens;->getSurfaceDim-0d7_KjU()J Landroidx/compose/material3/tokens/ColorLightTokens; HSPLandroidx/compose/material3/tokens/ColorLightTokens;->()V HSPLandroidx/compose/material3/tokens/ColorLightTokens;->()V HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getOutlineVariant-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceBright-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainer-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerHigh-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerHighest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerLow-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceContainerLowest-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/ColorLightTokens;->getSurfaceDim-0d7_KjU()J Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->$values()[Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->()V @@ -3438,6 +3939,7 @@ HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->(Ljava/lang/S HSPLandroidx/compose/material3/tokens/ColorSchemeKeyTokens;->values()[Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; PLandroidx/compose/material3/tokens/ElevatedCardTokens;->()V PLandroidx/compose/material3/tokens/ElevatedCardTokens;->()V +PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getContainerColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getContainerElevation-D9Ej5fM()F PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getDisabledContainerColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; PLandroidx/compose/material3/tokens/ElevatedCardTokens;->getDisabledContainerElevation-D9Ej5fM()F @@ -3456,8 +3958,6 @@ Landroidx/compose/material3/tokens/IconButtonTokens; HSPLandroidx/compose/material3/tokens/IconButtonTokens;->()V HSPLandroidx/compose/material3/tokens/IconButtonTokens;->()V HSPLandroidx/compose/material3/tokens/IconButtonTokens;->getIconSize-D9Ej5fM()F -PLandroidx/compose/material3/tokens/IconButtonTokens;->getStateLayerShape()Landroidx/compose/material3/tokens/ShapeKeyTokens; -PLandroidx/compose/material3/tokens/IconButtonTokens;->getStateLayerSize-D9Ej5fM()F Landroidx/compose/material3/tokens/LinearProgressIndicatorTokens; HSPLandroidx/compose/material3/tokens/LinearProgressIndicatorTokens;->()V HSPLandroidx/compose/material3/tokens/LinearProgressIndicatorTokens;->()V @@ -3489,9 +3989,21 @@ HSPLandroidx/compose/material3/tokens/PaletteTokens;->getError80-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getError90-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral0-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral10-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral100-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral12-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral17-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral20-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral22-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral24-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral4-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral6-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral87-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral90-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral92-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral94-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral95-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral96-0d7_KjU()J +HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral98-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutral99-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutralVariant30-0d7_KjU()J HSPLandroidx/compose/material3/tokens/PaletteTokens;->getNeutralVariant50-0d7_KjU()J @@ -3535,6 +4047,7 @@ HSPLandroidx/compose/material3/tokens/ShapeTokens;->getCornerSmall()Landroidx/co Landroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->()V HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->()V +HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getContainerColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getHeadlineColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getLeadingIconColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; HSPLandroidx/compose/material3/tokens/TopAppBarSmallCenteredTokens;->getTrailingIconColor()Landroidx/compose/material3/tokens/ColorSchemeKeyTokens; @@ -3724,17 +4237,19 @@ HPLandroidx/compose/runtime/AbstractApplier;->up()V Landroidx/compose/runtime/ActualAndroid_androidKt; HSPLandroidx/compose/runtime/ActualAndroid_androidKt;->()V HPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableFloatState(F)Landroidx/compose/runtime/MutableFloatState; -HSPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableIntState(I)Landroidx/compose/runtime/MutableIntState; +HPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableIntState(I)Landroidx/compose/runtime/MutableIntState; HSPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableLongState(J)Landroidx/compose/runtime/MutableLongState; HPLandroidx/compose/runtime/ActualAndroid_androidKt;->createSnapshotMutableState(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)Landroidx/compose/runtime/snapshots/SnapshotMutableState; +HPLandroidx/compose/runtime/ActualAndroid_androidKt;->getMainThreadId()J Landroidx/compose/runtime/ActualAndroid_androidKt$DefaultMonotonicFrameClock$2; HSPLandroidx/compose/runtime/ActualAndroid_androidKt$DefaultMonotonicFrameClock$2;->()V HSPLandroidx/compose/runtime/ActualAndroid_androidKt$DefaultMonotonicFrameClock$2;->()V Landroidx/compose/runtime/ActualJvm_jvmKt; +HPLandroidx/compose/runtime/ActualJvm_jvmKt;->currentThreadId()J HPLandroidx/compose/runtime/ActualJvm_jvmKt;->identityHashCode(Ljava/lang/Object;)I HPLandroidx/compose/runtime/ActualJvm_jvmKt;->invokeComposable(Landroidx/compose/runtime/Composer;Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/runtime/ActualJvm_jvmKt;->invokeComposableForResult(Landroidx/compose/runtime/Composer;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; Landroidx/compose/runtime/Anchor; +HSPLandroidx/compose/runtime/Anchor;->()V HPLandroidx/compose/runtime/Anchor;->(I)V HPLandroidx/compose/runtime/Anchor;->getLocation$runtime_release()I HPLandroidx/compose/runtime/Anchor;->getValid()Z @@ -3745,20 +4260,20 @@ Landroidx/compose/runtime/Applier; HSPLandroidx/compose/runtime/Applier;->onBeginChanges()V HSPLandroidx/compose/runtime/Applier;->onEndChanges()V Landroidx/compose/runtime/AtomicInt; -HSPLandroidx/compose/runtime/AtomicInt;->(I)V +HSPLandroidx/compose/runtime/AtomicInt;->()V +HPLandroidx/compose/runtime/AtomicInt;->(I)V HPLandroidx/compose/runtime/AtomicInt;->add(I)I Landroidx/compose/runtime/BroadcastFrameClock; HSPLandroidx/compose/runtime/BroadcastFrameClock;->()V HSPLandroidx/compose/runtime/BroadcastFrameClock;->(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; HSPLandroidx/compose/runtime/BroadcastFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLandroidx/compose/runtime/BroadcastFrameClock;->getHasAwaiters()Z HPLandroidx/compose/runtime/BroadcastFrameClock;->sendFrame(J)V -HPLandroidx/compose/runtime/BroadcastFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter; HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->resume(J)V @@ -3779,7 +4294,7 @@ HSPLandroidx/compose/runtime/ComposableSingletons$CompositionKt$lambda-2$1;->()V Landroidx/compose/runtime/ComposablesKt; HPLandroidx/compose/runtime/ComposablesKt;->getCurrentCompositeKeyHash(Landroidx/compose/runtime/Composer;I)I -HPLandroidx/compose/runtime/ComposablesKt;->rememberCompositionContext(Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/CompositionContext; +HSPLandroidx/compose/runtime/ComposablesKt;->rememberCompositionContext(Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/CompositionContext; Landroidx/compose/runtime/ComposeNodeLifecycleCallback; Landroidx/compose/runtime/Composer; HSPLandroidx/compose/runtime/Composer;->()V @@ -3790,19 +4305,17 @@ HPLandroidx/compose/runtime/Composer$Companion;->getEmpty()Ljava/lang/Object; Landroidx/compose/runtime/Composer$Companion$Empty$1; HSPLandroidx/compose/runtime/Composer$Companion$Empty$1;->()V Landroidx/compose/runtime/ComposerImpl; -HPLandroidx/compose/runtime/ComposerImpl;->(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/SlotTable;Ljava/util/Set;Ljava/util/List;Ljava/util/List;Landroidx/compose/runtime/ControlledComposition;)V -HSPLandroidx/compose/runtime/ComposerImpl;->access$getChanges$p(Landroidx/compose/runtime/ComposerImpl;)Ljava/util/List; +HSPLandroidx/compose/runtime/ComposerImpl;->()V +HPLandroidx/compose/runtime/ComposerImpl;->(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/SlotTable;Ljava/util/Set;Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/ControlledComposition;)V +HSPLandroidx/compose/runtime/ComposerImpl;->access$getChangeListWriter$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/changelist/ComposerChangeListWriter; HPLandroidx/compose/runtime/ComposerImpl;->access$getChildrenComposing$p(Landroidx/compose/runtime/ComposerImpl;)I HSPLandroidx/compose/runtime/ComposerImpl;->access$getNodeCountOverrides$p(Landroidx/compose/runtime/ComposerImpl;)[I HPLandroidx/compose/runtime/ComposerImpl;->access$getParentContext$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/CompositionContext; -HSPLandroidx/compose/runtime/ComposerImpl;->access$getReader$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/SlotReader; -HSPLandroidx/compose/runtime/ComposerImpl;->access$insertMovableContentGuarded$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I -HSPLandroidx/compose/runtime/ComposerImpl;->access$insertMovableContentGuarded$positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V +HSPLandroidx/compose/runtime/ComposerImpl;->access$getProviderUpdates$p(Landroidx/compose/runtime/ComposerImpl;)Landroidx/compose/runtime/collection/IntMap; HSPLandroidx/compose/runtime/ComposerImpl;->access$invokeMovableContentLambda(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/MovableContent;Landroidx/compose/runtime/PersistentCompositionLocalMap;Ljava/lang/Object;Z)V -HSPLandroidx/compose/runtime/ComposerImpl;->access$setChanges$p(Landroidx/compose/runtime/ComposerImpl;Ljava/util/List;)V HPLandroidx/compose/runtime/ComposerImpl;->access$setChildrenComposing$p(Landroidx/compose/runtime/ComposerImpl;I)V HSPLandroidx/compose/runtime/ComposerImpl;->access$setNodeCountOverrides$p(Landroidx/compose/runtime/ComposerImpl;[I)V -HSPLandroidx/compose/runtime/ComposerImpl;->access$setReader$p(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/SlotReader;)V +HSPLandroidx/compose/runtime/ComposerImpl;->access$setProviderUpdates$p(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/collection/IntMap;)V HPLandroidx/compose/runtime/ComposerImpl;->addRecomposeScope()V HPLandroidx/compose/runtime/ComposerImpl;->apply(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->buildContext()Landroidx/compose/runtime/CompositionContext; @@ -3822,17 +4335,17 @@ HPLandroidx/compose/runtime/ComposerImpl;->createFreshInsertTable()V HPLandroidx/compose/runtime/ComposerImpl;->createNode(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/ComposerImpl;->currentCompositionLocalScope()Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl;->currentCompositionLocalScope(I)Landroidx/compose/runtime/PersistentCompositionLocalMap; -HPLandroidx/compose/runtime/ComposerImpl;->deactivateToEndGroup(Z)V -HPLandroidx/compose/runtime/ComposerImpl;->disableReusing()V +HPLandroidx/compose/runtime/ComposerImpl;->deactivate$runtime_release()V +PLandroidx/compose/runtime/ComposerImpl;->deactivateToEndGroup(Z)V HPLandroidx/compose/runtime/ComposerImpl;->dispose$runtime_release()V HPLandroidx/compose/runtime/ComposerImpl;->doCompose(Landroidx/compose/runtime/collection/IdentityArrayMap;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->doRecordDownsFor(II)V -HPLandroidx/compose/runtime/ComposerImpl;->enableReusing()V HPLandroidx/compose/runtime/ComposerImpl;->end(Z)V HPLandroidx/compose/runtime/ComposerImpl;->endDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->endGroup()V HSPLandroidx/compose/runtime/ComposerImpl;->endMovableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endNode()V +HPLandroidx/compose/runtime/ComposerImpl;->endProvider()V HPLandroidx/compose/runtime/ComposerImpl;->endProviders()V HPLandroidx/compose/runtime/ComposerImpl;->endReplaceableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endRestartGroup()Landroidx/compose/runtime/ScopeUpdateScope; @@ -3848,61 +4361,41 @@ HPLandroidx/compose/runtime/ComposerImpl;->getAreChildrenComposing$runtime_relea HPLandroidx/compose/runtime/ComposerImpl;->getComposition()Landroidx/compose/runtime/ControlledComposition; HPLandroidx/compose/runtime/ComposerImpl;->getCompoundKeyHash()I HPLandroidx/compose/runtime/ComposerImpl;->getCurrentCompositionLocalMap()Landroidx/compose/runtime/CompositionLocalMap; +HPLandroidx/compose/runtime/ComposerImpl;->getCurrentRecomposeScope$runtime_release()Landroidx/compose/runtime/RecomposeScopeImpl; HSPLandroidx/compose/runtime/ComposerImpl;->getDefaultsInvalid()Z -PLandroidx/compose/runtime/ComposerImpl;->getDeferredChanges$runtime_release()Ljava/util/List; +PLandroidx/compose/runtime/ComposerImpl;->getDeferredChanges$runtime_release()Landroidx/compose/runtime/changelist/ChangeList; HPLandroidx/compose/runtime/ComposerImpl;->getInserting()Z HPLandroidx/compose/runtime/ComposerImpl;->getNode(Landroidx/compose/runtime/SlotReader;)Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerImpl;->getReader$runtime_release()Landroidx/compose/runtime/SlotReader; HPLandroidx/compose/runtime/ComposerImpl;->getRecomposeScope()Landroidx/compose/runtime/RecomposeScope; HPLandroidx/compose/runtime/ComposerImpl;->getSkipping()Z HPLandroidx/compose/runtime/ComposerImpl;->groupCompoundKeyPart(Landroidx/compose/runtime/SlotReader;I)I HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContent(Landroidx/compose/runtime/MovableContent;Ljava/lang/Object;)V -HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded$currentNodeIndex(Landroidx/compose/runtime/SlotWriter;)I -HPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I -HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded$positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V HPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentGuarded(Ljava/util/List;)V HSPLandroidx/compose/runtime/ComposerImpl;->insertMovableContentReferences(Ljava/util/List;)V HSPLandroidx/compose/runtime/ComposerImpl;->insertedGroupVirtualIndex(I)I HPLandroidx/compose/runtime/ComposerImpl;->invokeMovableContentLambda(Landroidx/compose/runtime/MovableContent;Landroidx/compose/runtime/PersistentCompositionLocalMap;Ljava/lang/Object;Z)V HPLandroidx/compose/runtime/ComposerImpl;->isComposing$runtime_release()Z HPLandroidx/compose/runtime/ComposerImpl;->nextSlot()Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerImpl;->nextSlotForCache()Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerImpl;->nodeAt(Landroidx/compose/runtime/SlotReader;I)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerImpl;->nodeIndexOf(IIII)I PLandroidx/compose/runtime/ComposerImpl;->prepareCompose$runtime_release(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeDowns()V -HPLandroidx/compose/runtime/ComposerImpl;->realizeDowns([Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeMovement()V -HPLandroidx/compose/runtime/ComposerImpl;->realizeOperationLocation$default(Landroidx/compose/runtime/ComposerImpl;ZILjava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeOperationLocation(Z)V -HPLandroidx/compose/runtime/ComposerImpl;->realizeUps()V HPLandroidx/compose/runtime/ComposerImpl;->recompose$runtime_release(Landroidx/compose/runtime/collection/IdentityArrayMap;)Z HSPLandroidx/compose/runtime/ComposerImpl;->recomposeMovableContent$default(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/ControlledComposition;Ljava/lang/Integer;Ljava/util/List;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerImpl;->recomposeMovableContent(Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/ControlledComposition;Ljava/lang/Integer;Ljava/util/List;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerImpl;->recomposeToGroupEnd()V -HPLandroidx/compose/runtime/ComposerImpl;->record(Lkotlin/jvm/functions/Function3;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordApplierOperation(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/runtime/ComposerImpl;->recordDelete()V -HPLandroidx/compose/runtime/ComposerImpl;->recordDown(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordEndGroup()V -HPLandroidx/compose/runtime/ComposerImpl;->recordEndRoot()V -HPLandroidx/compose/runtime/ComposerImpl;->recordFixup(Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/runtime/ComposerImpl;->recordInsert(Landroidx/compose/runtime/Anchor;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordInsertUpFixup(Lkotlin/jvm/functions/Function3;)V -PLandroidx/compose/runtime/ComposerImpl;->recordReaderMoving(I)V -HSPLandroidx/compose/runtime/ComposerImpl;->recordRemoveNode(II)V HPLandroidx/compose/runtime/ComposerImpl;->recordSideEffect(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordSlotEditing()V -HPLandroidx/compose/runtime/ComposerImpl;->recordSlotEditingOperation(Lkotlin/jvm/functions/Function3;)V -HSPLandroidx/compose/runtime/ComposerImpl;->recordSlotTableOperation$default(Landroidx/compose/runtime/ComposerImpl;ZLkotlin/jvm/functions/Function3;ILjava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordSlotTableOperation(ZLkotlin/jvm/functions/Function3;)V -HPLandroidx/compose/runtime/ComposerImpl;->recordUp()V HPLandroidx/compose/runtime/ComposerImpl;->recordUpsAndDowns(III)V HPLandroidx/compose/runtime/ComposerImpl;->recordUsed(Landroidx/compose/runtime/RecomposeScope;)V -HPLandroidx/compose/runtime/ComposerImpl;->registerInsertUpFixup()V HPLandroidx/compose/runtime/ComposerImpl;->rememberedValue()Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent$reportGroup(Landroidx/compose/runtime/ComposerImpl;IZI)I HSPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent(I)V +HSPLandroidx/compose/runtime/ComposerImpl;->setReader$runtime_release(Landroidx/compose/runtime/SlotReader;)V HPLandroidx/compose/runtime/ComposerImpl;->skipCurrentGroup()V -HPLandroidx/compose/runtime/ComposerImpl;->skipGroup()V +HSPLandroidx/compose/runtime/ComposerImpl;->skipGroup()V HPLandroidx/compose/runtime/ComposerImpl;->skipReaderToGroupEnd()V HPLandroidx/compose/runtime/ComposerImpl;->skipToGroupEnd()V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformation(Ljava/lang/String;)V @@ -3913,7 +4406,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(I)V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(ILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->startMovableGroup(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl;->startNode()V +HPLandroidx/compose/runtime/ComposerImpl;->startProvider(Landroidx/compose/runtime/ProvidedValue;)V HPLandroidx/compose/runtime/ComposerImpl;->startProviders([Landroidx/compose/runtime/ProvidedValue;)V HPLandroidx/compose/runtime/ComposerImpl;->startReaderGroup(ZLjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->startReplaceableGroup(I)V @@ -3922,6 +4415,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startReusableGroup(ILjava/lang/Object HPLandroidx/compose/runtime/ComposerImpl;->startReusableNode()V HPLandroidx/compose/runtime/ComposerImpl;->startRoot()V HPLandroidx/compose/runtime/ComposerImpl;->tryImminentInvalidation$runtime_release(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroup(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroupKeyHash(I)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeExitGroup(ILjava/lang/Object;Ljava/lang/Object;)V @@ -3930,26 +4424,26 @@ HPLandroidx/compose/runtime/ComposerImpl;->updateNodeCount(II)V HPLandroidx/compose/runtime/ComposerImpl;->updateNodeCountOverrides(II)V HPLandroidx/compose/runtime/ComposerImpl;->updateProviderMapGroup(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/PersistentCompositionLocalMap;)Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl;->updateRememberedValue(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/ComposerImpl;->updateSlot(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updatedNodeCount(I)I HPLandroidx/compose/runtime/ComposerImpl;->useNode()V HPLandroidx/compose/runtime/ComposerImpl;->validateNodeExpected()V HPLandroidx/compose/runtime/ComposerImpl;->validateNodeNotExpected()V Landroidx/compose/runtime/ComposerImpl$CompositionContextHolder; -HPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->(Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl;)V +HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->(Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl;)V HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->getRef()Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl; -PLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->onForgotten()V -HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextHolder;->onRemembered()V Landroidx/compose/runtime/ComposerImpl$CompositionContextImpl; -HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->(Landroidx/compose/runtime/ComposerImpl;IZ)V +HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->(Landroidx/compose/runtime/ComposerImpl;IZZLandroidx/compose/runtime/CompositionObserverHolder;)V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->composeInitial$runtime_release(Landroidx/compose/runtime/ControlledComposition;Lkotlin/jvm/functions/Function2;)V -PLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->dispose()V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->doneComposing$runtime_release()V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCollectingParameterInformation$runtime_release()Z +HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCollectingSourceInformation$runtime_release()Z HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCompositionLocalScope$runtime_release()Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCompositionLocalScope()Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getCompoundHashKey$runtime_release()I HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getEffectCoroutineContext()Lkotlin/coroutines/CoroutineContext; +HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->getObserverHolder$runtime_release()Landroidx/compose/runtime/CompositionObserverHolder; HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->invalidate$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->registerComposer$runtime_release(Landroidx/compose/runtime/Composer;)V HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->setCompositionLocalScope(Landroidx/compose/runtime/PersistentCompositionLocalMap;)V @@ -3957,121 +4451,29 @@ HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->startComposing HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->unregisterComposer$runtime_release(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->unregisterComposition$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V HSPLandroidx/compose/runtime/ComposerImpl$CompositionContextImpl;->updateCompositionLocalScope(Landroidx/compose/runtime/PersistentCompositionLocalMap;)V -Landroidx/compose/runtime/ComposerImpl$apply$operation$1; -HPLandroidx/compose/runtime/ComposerImpl$apply$operation$1;->(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl$apply$operation$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$apply$operation$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$createNode$2; -HPLandroidx/compose/runtime/ComposerImpl$createNode$2;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Anchor;I)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$createNode$3; -HPLandroidx/compose/runtime/ComposerImpl$createNode$3;->(Landroidx/compose/runtime/Anchor;I)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$3;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$createNode$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$2;->(Ljava/lang/Object;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3;->(Landroidx/compose/runtime/ComposerImpl;I)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3;->invoke(ILjava/lang/Object;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$1;->(Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$2;->(Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$deactivateToEndGroup$3$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/ComposerImpl$derivedStateObserver$1; HPLandroidx/compose/runtime/ComposerImpl$derivedStateObserver$1;->(Landroidx/compose/runtime/ComposerImpl;)V HPLandroidx/compose/runtime/ComposerImpl$derivedStateObserver$1;->done(Landroidx/compose/runtime/DerivedState;)V HPLandroidx/compose/runtime/ComposerImpl$derivedStateObserver$1;->start(Landroidx/compose/runtime/DerivedState;)V -Landroidx/compose/runtime/ComposerImpl$doCompose$lambda$38$$inlined$sortBy$1; -HSPLandroidx/compose/runtime/ComposerImpl$doCompose$lambda$38$$inlined$sortBy$1;->()V -HSPLandroidx/compose/runtime/ComposerImpl$doCompose$lambda$38$$inlined$sortBy$1;->compare(Ljava/lang/Object;Ljava/lang/Object;)I -PLandroidx/compose/runtime/ComposerImpl$endRestartGroup$1$1;->(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/ComposerImpl;)V -PLandroidx/compose/runtime/ComposerImpl$endRestartGroup$1$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$endRestartGroup$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Landroidx/compose/runtime/Anchor;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1;->(Landroidx/compose/runtime/ComposerImpl;Ljava/util/List;Landroidx/compose/runtime/SlotReader;Landroidx/compose/runtime/MovableContentStateReference;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$1;->invoke()V -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2;->(Lkotlin/jvm/internal/Ref$IntRef;Ljava/util/List;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$2$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2; -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->()V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->()V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1; +HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1;->(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/SlotReader;Landroidx/compose/runtime/MovableContentStateReference;)V +HSPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerImpl$insertMovableContentGuarded$1$1$1$1;->invoke()V Landroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1; HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->(Landroidx/compose/runtime/MovableContent;Ljava/lang/Object;)V HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$realizeDowns$1; -HSPLandroidx/compose/runtime/ComposerImpl$realizeDowns$1;->([Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeDowns$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeDowns$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$realizeMovement$1;->(II)V -PLandroidx/compose/runtime/ComposerImpl$realizeMovement$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$realizeMovement$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2; -HPLandroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2;->(I)V -HPLandroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeOperationLocation$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$realizeUps$1; -HSPLandroidx/compose/runtime/ComposerImpl$realizeUps$1;->(I)V -HPLandroidx/compose/runtime/ComposerImpl$realizeUps$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$realizeUps$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordInsert$1; -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$1;->(Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/Anchor;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordInsert$2; -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$2;->(Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/Anchor;Ljava/util/List;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordInsert$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordSideEffect$1; -HPLandroidx/compose/runtime/ComposerImpl$recordSideEffect$1;->(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSideEffect$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSideEffect$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$recordSlotEditing$1; -HSPLandroidx/compose/runtime/ComposerImpl$recordSlotEditing$1;->(Landroidx/compose/runtime/Anchor;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSlotEditing$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$recordSlotEditing$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$start$2; -Landroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1; -HPLandroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1;->([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;)V -HPLandroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1;->invoke(Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/PersistentCompositionLocalMap; -HPLandroidx/compose/runtime/ComposerImpl$startProviders$currentProviders$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/runtime/ComposerImpl$startReaderGroup$1;->(Ljava/lang/Object;)V -PLandroidx/compose/runtime/ComposerImpl$startReaderGroup$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -PLandroidx/compose/runtime/ComposerImpl$startReaderGroup$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$updateValue$1; -HPLandroidx/compose/runtime/ComposerImpl$updateValue$1;->(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerImpl$updateValue$2; -HPLandroidx/compose/runtime/ComposerImpl$updateValue$2;->(Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$2;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerImpl$updateValue$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/ComposerKt; +HSPLandroidx/compose/runtime/ComposerKt;->$r8$lambda$kSVdS0_EjXVhjdybgvOrZP-jexQ(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HSPLandroidx/compose/runtime/ComposerKt;->()V +HSPLandroidx/compose/runtime/ComposerKt;->InvalidationLocationAscending$lambda$15(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HPLandroidx/compose/runtime/ComposerKt;->access$asBool(I)Z HPLandroidx/compose/runtime/ComposerKt;->access$asInt(Z)I HPLandroidx/compose/runtime/ComposerKt;->access$firstInRange(Ljava/util/List;II)Landroidx/compose/runtime/Invalidation; -HSPLandroidx/compose/runtime/ComposerKt;->access$getEndGroupInstance$p()Lkotlin/jvm/functions/Function3; +HPLandroidx/compose/runtime/ComposerKt;->access$getInvalidationLocationAscending$p()Ljava/util/Comparator; PLandroidx/compose/runtime/ComposerKt;->access$getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerKt;->access$getRemoveCurrentGroupInstance$p()Lkotlin/jvm/functions/Function3; -HSPLandroidx/compose/runtime/ComposerKt;->access$getResetSlotsInstance$p()Lkotlin/jvm/functions/Function3; -HSPLandroidx/compose/runtime/ComposerKt;->access$getSkipToGroupEndInstance$p()Lkotlin/jvm/functions/Function3; -HSPLandroidx/compose/runtime/ComposerKt;->access$getStartRootGroup$p()Lkotlin/jvm/functions/Function3; -HPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V -HPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; +HSPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; HPLandroidx/compose/runtime/ComposerKt;->access$nearestCommonRootOf(Landroidx/compose/runtime/SlotReader;III)I HPLandroidx/compose/runtime/ComposerKt;->access$pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->access$put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z @@ -4079,6 +4481,7 @@ HPLandroidx/compose/runtime/ComposerKt;->access$removeLocation(Ljava/util/List;I HSPLandroidx/compose/runtime/ComposerKt;->access$removeRange(Ljava/util/List;II)V HSPLandroidx/compose/runtime/ComposerKt;->asBool(I)Z HSPLandroidx/compose/runtime/ComposerKt;->asInt(Z)I +HPLandroidx/compose/runtime/ComposerKt;->deactivateCurrentGroup(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V HSPLandroidx/compose/runtime/ComposerKt;->distanceFrom(Landroidx/compose/runtime/SlotReader;II)I HPLandroidx/compose/runtime/ComposerKt;->findInsertLocation(Ljava/util/List;I)I HPLandroidx/compose/runtime/ComposerKt;->findLocation(Ljava/util/List;I)I @@ -4087,8 +4490,7 @@ HPLandroidx/compose/runtime/ComposerKt;->getCompositionLocalMap()Ljava/lang/Obje HPLandroidx/compose/runtime/ComposerKt;->getInvocation()Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->getProvider()Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerKt;->getProviderValues()Ljava/lang/Object; +HSPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerKt;->getReference()Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->isTraceInProgress()Z @@ -4097,71 +4499,56 @@ HPLandroidx/compose/runtime/ComposerKt;->nearestCommonRootOf(Landroidx/compose/r HPLandroidx/compose/runtime/ComposerKt;->pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z HPLandroidx/compose/runtime/ComposerKt;->removeCurrentGroup(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/ComposerKt;->removeData(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->removeLocation(Ljava/util/List;I)Landroidx/compose/runtime/Invalidation; HSPLandroidx/compose/runtime/ComposerKt;->removeRange(Ljava/util/List;II)V HPLandroidx/compose/runtime/ComposerKt;->runtimeCheck(Z)V HPLandroidx/compose/runtime/ComposerKt;->sourceInformation(Landroidx/compose/runtime/Composer;Ljava/lang/String;)V HPLandroidx/compose/runtime/ComposerKt;->sourceInformationMarkerEnd(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/ComposerKt;->sourceInformationMarkerStart(Landroidx/compose/runtime/Composer;ILjava/lang/String;)V -Landroidx/compose/runtime/ComposerKt$endGroupInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->()V -HPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerKt$endGroupInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->()V -HPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerKt$removeCurrentGroupInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$resetSlotsInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerKt$resetSlotsInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1; -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HSPLandroidx/compose/runtime/ComposerKt$skipToGroupEndInstance$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/ComposerKt$startRootGroup$1; -HSPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->()V -HSPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->()V -HPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->invoke(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerKt$startRootGroup$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/ComposerKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/runtime/ComposerKt$$ExternalSyntheticLambda0;->()V +HSPLandroidx/compose/runtime/ComposerKt$$ExternalSyntheticLambda0;->compare(Ljava/lang/Object;Ljava/lang/Object;)I Landroidx/compose/runtime/Composition; Landroidx/compose/runtime/CompositionContext; HSPLandroidx/compose/runtime/CompositionContext;->()V HSPLandroidx/compose/runtime/CompositionContext;->()V HSPLandroidx/compose/runtime/CompositionContext;->doneComposing$runtime_release()V HSPLandroidx/compose/runtime/CompositionContext;->getCompositionLocalScope$runtime_release()Landroidx/compose/runtime/PersistentCompositionLocalMap; -HPLandroidx/compose/runtime/CompositionContext;->registerComposer$runtime_release(Landroidx/compose/runtime/Composer;)V +HSPLandroidx/compose/runtime/CompositionContext;->getObserverHolder$runtime_release()Landroidx/compose/runtime/CompositionObserverHolder; +HSPLandroidx/compose/runtime/CompositionContext;->registerComposer$runtime_release(Landroidx/compose/runtime/Composer;)V HSPLandroidx/compose/runtime/CompositionContext;->startComposing$runtime_release()V PLandroidx/compose/runtime/CompositionContext;->unregisterComposer$runtime_release(Landroidx/compose/runtime/Composer;)V Landroidx/compose/runtime/CompositionContextKt; HSPLandroidx/compose/runtime/CompositionContextKt;->()V HSPLandroidx/compose/runtime/CompositionContextKt;->access$getEmptyPersistentCompositionLocalMap$p()Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/CompositionImpl; +HSPLandroidx/compose/runtime/CompositionImpl;->()V HPLandroidx/compose/runtime/CompositionImpl;->(Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/Applier;Lkotlin/coroutines/CoroutineContext;)V HSPLandroidx/compose/runtime/CompositionImpl;->(Landroidx/compose/runtime/CompositionContext;Landroidx/compose/runtime/Applier;Lkotlin/coroutines/CoroutineContext;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/runtime/CompositionImpl;->access$getObservations$p(Landroidx/compose/runtime/CompositionImpl;)Landroidx/compose/runtime/collection/ScopeMap; HPLandroidx/compose/runtime/CompositionImpl;->addPendingInvalidationsLocked(Ljava/util/HashSet;Ljava/lang/Object;Z)Ljava/util/HashSet; HPLandroidx/compose/runtime/CompositionImpl;->addPendingInvalidationsLocked(Ljava/util/Set;Z)V HPLandroidx/compose/runtime/CompositionImpl;->applyChanges()V -HPLandroidx/compose/runtime/CompositionImpl;->applyChangesInLocked(Ljava/util/List;)V +HPLandroidx/compose/runtime/CompositionImpl;->applyChangesInLocked(Landroidx/compose/runtime/changelist/ChangeList;)V HPLandroidx/compose/runtime/CompositionImpl;->applyLateChanges()V HPLandroidx/compose/runtime/CompositionImpl;->changesApplied()V HPLandroidx/compose/runtime/CompositionImpl;->cleanUpDerivedStateObservations()V HPLandroidx/compose/runtime/CompositionImpl;->composeContent(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/CompositionImpl;->composeInitial(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/CompositionImpl;->dispose()V HPLandroidx/compose/runtime/CompositionImpl;->drainPendingModificationsForCompositionLocked()V HPLandroidx/compose/runtime/CompositionImpl;->drainPendingModificationsLocked()V HPLandroidx/compose/runtime/CompositionImpl;->getAreChildrenComposing()Z HPLandroidx/compose/runtime/CompositionImpl;->getHasInvalidations()Z +HSPLandroidx/compose/runtime/CompositionImpl;->getObserverHolder$runtime_release()Landroidx/compose/runtime/CompositionObserverHolder; HSPLandroidx/compose/runtime/CompositionImpl;->insertMovableContent(Ljava/util/List;)V HPLandroidx/compose/runtime/CompositionImpl;->invalidate(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HPLandroidx/compose/runtime/CompositionImpl;->invalidateChecked(Landroidx/compose/runtime/RecomposeScopeImpl;Landroidx/compose/runtime/Anchor;Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HPLandroidx/compose/runtime/CompositionImpl;->invalidateScopeOfLocked(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->isComposing()Z HSPLandroidx/compose/runtime/CompositionImpl;->isDisposed()Z +HPLandroidx/compose/runtime/CompositionImpl;->observer()Landroidx/compose/runtime/tooling/CompositionObserver; PLandroidx/compose/runtime/CompositionImpl;->observesAnyOf(Ljava/util/Set;)Z PLandroidx/compose/runtime/CompositionImpl;->prepareCompose(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/CompositionImpl;->recompose()Z @@ -4169,7 +4556,7 @@ HPLandroidx/compose/runtime/CompositionImpl;->recomposeScopeReleased(Landroidx/c HPLandroidx/compose/runtime/CompositionImpl;->recordModificationsOf(Ljava/util/Set;)V HPLandroidx/compose/runtime/CompositionImpl;->recordReadOf(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->recordWriteOf(Ljava/lang/Object;)V -PLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V +HSPLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->setContent(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/CompositionImpl;->takeInvalidations()Landroidx/compose/runtime/collection/IdentityArrayMap; HPLandroidx/compose/runtime/CompositionImpl;->tryImminentInvalidation(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z @@ -4185,16 +4572,20 @@ HPLandroidx/compose/runtime/CompositionImpl$RememberEventDispatcher;->rememberin HPLandroidx/compose/runtime/CompositionImpl$RememberEventDispatcher;->sideEffect(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/runtime/CompositionKt; HSPLandroidx/compose/runtime/CompositionKt;->()V -HPLandroidx/compose/runtime/CompositionKt;->Composition(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/Composition; +HSPLandroidx/compose/runtime/CompositionKt;->Composition(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/Composition; +HPLandroidx/compose/runtime/CompositionKt;->ReusableComposition(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/ReusableComposition; HSPLandroidx/compose/runtime/CompositionKt;->access$addValue(Landroidx/compose/runtime/collection/IdentityArrayMap;Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionKt;->access$getPendingApplyNoModifications$p()Ljava/lang/Object; HPLandroidx/compose/runtime/CompositionKt;->addValue(Landroidx/compose/runtime/collection/IdentityArrayMap;Ljava/lang/Object;Ljava/lang/Object;)V +Landroidx/compose/runtime/CompositionKt$CompositionImplServiceKey$1; +HSPLandroidx/compose/runtime/CompositionKt$CompositionImplServiceKey$1;->()V Landroidx/compose/runtime/CompositionLocal; HSPLandroidx/compose/runtime/CompositionLocal;->()V HSPLandroidx/compose/runtime/CompositionLocal;->(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/runtime/CompositionLocal;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/CompositionLocal;->getDefaultValueHolder$runtime_release()Landroidx/compose/runtime/LazyValueHolder; Landroidx/compose/runtime/CompositionLocalKt; +HPLandroidx/compose/runtime/CompositionLocalKt;->CompositionLocalProvider(Landroidx/compose/runtime/ProvidedValue;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/runtime/CompositionLocalKt;->CompositionLocalProvider([Landroidx/compose/runtime/ProvidedValue;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/runtime/CompositionLocalKt;->compositionLocalOf$default(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/runtime/CompositionLocalKt;->compositionLocalOf(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -4206,14 +4597,24 @@ HSPLandroidx/compose/runtime/CompositionLocalMap$Companion;->()V HSPLandroidx/compose/runtime/CompositionLocalMap$Companion;->()V HPLandroidx/compose/runtime/CompositionLocalMap$Companion;->getEmpty()Landroidx/compose/runtime/CompositionLocalMap; Landroidx/compose/runtime/CompositionLocalMapKt; -HPLandroidx/compose/runtime/CompositionLocalMapKt;->compositionLocalMapOf([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/PersistentCompositionLocalMap; HPLandroidx/compose/runtime/CompositionLocalMapKt;->contains(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/CompositionLocal;)Z HPLandroidx/compose/runtime/CompositionLocalMapKt;->getValueOf(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/CompositionLocalMapKt;->read(Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; +HPLandroidx/compose/runtime/CompositionLocalMapKt;->updateCompositionMap$default([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/PersistentCompositionLocalMap;ILjava/lang/Object;)Landroidx/compose/runtime/PersistentCompositionLocalMap; +HPLandroidx/compose/runtime/CompositionLocalMapKt;->updateCompositionMap([Landroidx/compose/runtime/ProvidedValue;Landroidx/compose/runtime/PersistentCompositionLocalMap;Landroidx/compose/runtime/PersistentCompositionLocalMap;)Landroidx/compose/runtime/PersistentCompositionLocalMap; +Landroidx/compose/runtime/CompositionObserverHolder; +HSPLandroidx/compose/runtime/CompositionObserverHolder;->()V +HPLandroidx/compose/runtime/CompositionObserverHolder;->(Landroidx/compose/runtime/tooling/CompositionObserver;Z)V +HSPLandroidx/compose/runtime/CompositionObserverHolder;->(Landroidx/compose/runtime/tooling/CompositionObserver;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/runtime/CompositionObserverHolder;->getObserver()Landroidx/compose/runtime/tooling/CompositionObserver; +HPLandroidx/compose/runtime/CompositionObserverHolder;->getRoot()Z +PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->()V PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->(Lkotlinx/coroutines/CoroutineScope;)V PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->getCoroutineScope()Lkotlinx/coroutines/CoroutineScope; PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->onForgotten()V PLandroidx/compose/runtime/CompositionScopedCoroutineScopeCanceller;->onRemembered()V +Landroidx/compose/runtime/CompositionServiceKey; +Landroidx/compose/runtime/CompositionServices; Landroidx/compose/runtime/ControlledComposition; Landroidx/compose/runtime/DerivedSnapshotState; HPLandroidx/compose/runtime/DerivedSnapshotState;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/SnapshotMutationPolicy;)V @@ -4223,7 +4624,7 @@ HPLandroidx/compose/runtime/DerivedSnapshotState;->getCurrentRecord()Landroidx/c HSPLandroidx/compose/runtime/DerivedSnapshotState;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState;->getPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/DerivedSnapshotState;->getValue()Ljava/lang/Object; -HSPLandroidx/compose/runtime/DerivedSnapshotState;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V +HPLandroidx/compose/runtime/DerivedSnapshotState;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V Landroidx/compose/runtime/DerivedSnapshotState$ResultRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->()V HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->()V @@ -4231,24 +4632,23 @@ HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->access$getUnset HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getCurrentValue()Ljava/lang/Object; -HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()[Ljava/lang/Object; +HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; -HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->get_dependencies()Landroidx/compose/runtime/collection/IdentityArrayMap; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->isValid(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)Z HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->readableHash(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)I +HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setDependencies(Landroidx/collection/ObjectIntMap;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setResult(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setResultHash(I)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setValidSnapshotId(I)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setValidSnapshotWriteCount(I)V -HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->set_dependencies(Landroidx/compose/runtime/collection/IdentityArrayMap;)V Landroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion;->()V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord$Companion;->getUnset()Ljava/lang/Object; -Landroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1; -HSPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1;->(Landroidx/compose/runtime/DerivedSnapshotState;Landroidx/compose/runtime/collection/IdentityArrayMap;I)V -HSPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$result$1;->invoke(Ljava/lang/Object;)V +Landroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1; +HPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1;->(Landroidx/compose/runtime/DerivedSnapshotState;Landroidx/compose/runtime/internal/IntRef;Landroidx/collection/MutableObjectIntMap;I)V +HSPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/runtime/DerivedSnapshotState$currentRecord$result$1$1$result$1;->invoke(Ljava/lang/Object;)V Landroidx/compose/runtime/DerivedState; Landroidx/compose/runtime/DerivedState$Record; Landroidx/compose/runtime/DerivedStateObserver; @@ -4261,9 +4661,9 @@ Landroidx/compose/runtime/DisposableEffectScope; HSPLandroidx/compose/runtime/DisposableEffectScope;->()V HSPLandroidx/compose/runtime/DisposableEffectScope;->()V Landroidx/compose/runtime/DynamicProvidableCompositionLocal; +HSPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->()V HSPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->access$getPolicy$p(Landroidx/compose/runtime/DynamicProvidableCompositionLocal;)Landroidx/compose/runtime/SnapshotMutationPolicy; -HPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->provided$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HPLandroidx/compose/runtime/DynamicProvidableCompositionLocal;->updatedStateOf$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/State;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/EffectsKt; HSPLandroidx/compose/runtime/EffectsKt;->()V HPLandroidx/compose/runtime/EffectsKt;->DisposableEffect(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V @@ -4293,7 +4693,9 @@ HSPLandroidx/compose/runtime/GroupKind$Companion;->(Lkotlin/jvm/internal/D HPLandroidx/compose/runtime/GroupKind$Companion;->getGroup-ULZAiWs()I HPLandroidx/compose/runtime/GroupKind$Companion;->getNode-ULZAiWs()I HPLandroidx/compose/runtime/GroupKind$Companion;->getReusableNode-ULZAiWs()I +Landroidx/compose/runtime/GroupSourceInformation; Landroidx/compose/runtime/IntStack; +HSPLandroidx/compose/runtime/IntStack;->()V HPLandroidx/compose/runtime/IntStack;->()V HPLandroidx/compose/runtime/IntStack;->clear()V HPLandroidx/compose/runtime/IntStack;->getSize()I @@ -4314,22 +4716,26 @@ HSPLandroidx/compose/runtime/InvalidationResult;->$values()[Landroidx/compose/ru HSPLandroidx/compose/runtime/InvalidationResult;->()V HSPLandroidx/compose/runtime/InvalidationResult;->(Ljava/lang/String;I)V Landroidx/compose/runtime/KeyInfo; +HSPLandroidx/compose/runtime/KeyInfo;->()V HPLandroidx/compose/runtime/KeyInfo;->(ILjava/lang/Object;III)V PLandroidx/compose/runtime/KeyInfo;->getKey()I HPLandroidx/compose/runtime/KeyInfo;->getLocation()I PLandroidx/compose/runtime/KeyInfo;->getNodes()I PLandroidx/compose/runtime/KeyInfo;->getObjectKey()Ljava/lang/Object; Landroidx/compose/runtime/Latch; +HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Latch;->closeLatch()V -HSPLandroidx/compose/runtime/Latch;->isOpen()Z +HPLandroidx/compose/runtime/Latch;->isOpen()Z HSPLandroidx/compose/runtime/Latch;->openLatch()V Landroidx/compose/runtime/LaunchedEffectImpl; +HSPLandroidx/compose/runtime/LaunchedEffectImpl;->()V HPLandroidx/compose/runtime/LaunchedEffectImpl;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/LaunchedEffectImpl;->onForgotten()V HPLandroidx/compose/runtime/LaunchedEffectImpl;->onRemembered()V Landroidx/compose/runtime/LazyValueHolder; +HSPLandroidx/compose/runtime/LazyValueHolder;->()V HSPLandroidx/compose/runtime/LazyValueHolder;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/LazyValueHolder;->getCurrent()Ljava/lang/Object; HPLandroidx/compose/runtime/LazyValueHolder;->getValue()Ljava/lang/Object; @@ -4341,7 +4747,7 @@ Landroidx/compose/runtime/MonotonicFrameClock; HSPLandroidx/compose/runtime/MonotonicFrameClock;->()V HPLandroidx/compose/runtime/MonotonicFrameClock;->getKey()Lkotlin/coroutines/CoroutineContext$Key; Landroidx/compose/runtime/MonotonicFrameClock$DefaultImpls; -HPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->fold(Landroidx/compose/runtime/MonotonicFrameClock;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->fold(Landroidx/compose/runtime/MonotonicFrameClock;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->get(Landroidx/compose/runtime/MonotonicFrameClock;Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HSPLandroidx/compose/runtime/MonotonicFrameClock$DefaultImpls;->minusKey(Landroidx/compose/runtime/MonotonicFrameClock;Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; Landroidx/compose/runtime/MonotonicFrameClock$Key; @@ -4378,6 +4784,7 @@ HSPLandroidx/compose/runtime/NeverEqualPolicy;->()V HSPLandroidx/compose/runtime/NeverEqualPolicy;->()V PLandroidx/compose/runtime/NeverEqualPolicy;->equivalent(Ljava/lang/Object;Ljava/lang/Object;)Z Landroidx/compose/runtime/OpaqueKey; +HSPLandroidx/compose/runtime/OpaqueKey;->()V HSPLandroidx/compose/runtime/OpaqueKey;->(Ljava/lang/String;)V HSPLandroidx/compose/runtime/OpaqueKey;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/OpaqueKey;->hashCode()I @@ -4438,7 +4845,7 @@ HPLandroidx/compose/runtime/Pending;->registerInsert(Landroidx/compose/runtime/K HPLandroidx/compose/runtime/Pending;->updateNodeCount(II)Z Landroidx/compose/runtime/Pending$keyMap$2; HPLandroidx/compose/runtime/Pending$keyMap$2;->(Landroidx/compose/runtime/Pending;)V -HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; +HSPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/util/HashMap; Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; @@ -4447,7 +4854,8 @@ HSPLandroidx/compose/runtime/PrimitiveSnapshotStateKt;->mutableFloatStateOf(F)La Landroidx/compose/runtime/PrimitiveSnapshotStateKt__SnapshotFloatStateKt; HSPLandroidx/compose/runtime/PrimitiveSnapshotStateKt__SnapshotFloatStateKt;->mutableFloatStateOf(F)Landroidx/compose/runtime/MutableFloatState; Landroidx/compose/runtime/PrioritySet; -HPLandroidx/compose/runtime/PrioritySet;->(Ljava/util/List;)V +HSPLandroidx/compose/runtime/PrioritySet;->()V +HSPLandroidx/compose/runtime/PrioritySet;->(Ljava/util/List;)V HPLandroidx/compose/runtime/PrioritySet;->(Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/PrioritySet;->add(I)V HPLandroidx/compose/runtime/PrioritySet;->isNotEmpty()Z @@ -4456,7 +4864,7 @@ HPLandroidx/compose/runtime/PrioritySet;->takeMax()I Landroidx/compose/runtime/ProduceStateScope; Landroidx/compose/runtime/ProduceStateScopeImpl; HSPLandroidx/compose/runtime/ProduceStateScopeImpl;->(Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/CoroutineContext;)V -PLandroidx/compose/runtime/ProduceStateScopeImpl;->setValue(Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/ProduceStateScopeImpl;->setValue(Ljava/lang/Object;)V Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/runtime/ProvidableCompositionLocal;->()V HSPLandroidx/compose/runtime/ProvidableCompositionLocal;->(Lkotlin/jvm/functions/Function0;)V @@ -4472,15 +4880,15 @@ Landroidx/compose/runtime/RecomposeScope; Landroidx/compose/runtime/RecomposeScopeImpl; HSPLandroidx/compose/runtime/RecomposeScopeImpl;->()V HPLandroidx/compose/runtime/RecomposeScopeImpl;->(Landroidx/compose/runtime/RecomposeScopeOwner;)V -PLandroidx/compose/runtime/RecomposeScopeImpl;->access$getCurrentToken$p(Landroidx/compose/runtime/RecomposeScopeImpl;)I -PLandroidx/compose/runtime/RecomposeScopeImpl;->access$getTrackedInstances$p(Landroidx/compose/runtime/RecomposeScopeImpl;)Landroidx/compose/runtime/collection/IdentityArrayIntMap; -PLandroidx/compose/runtime/RecomposeScopeImpl;->access$setTrackedInstances$p(Landroidx/compose/runtime/RecomposeScopeImpl;Landroidx/compose/runtime/collection/IdentityArrayIntMap;)V +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->access$getCurrentToken$p(Landroidx/compose/runtime/RecomposeScopeImpl;)I +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->access$getTrackedInstances$p(Landroidx/compose/runtime/RecomposeScopeImpl;)Landroidx/collection/MutableObjectIntMap; HPLandroidx/compose/runtime/RecomposeScopeImpl;->compose(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->end(I)Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getAnchor()Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getCanRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInScope()Z HSPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInvalid()Z +HPLandroidx/compose/runtime/RecomposeScopeImpl;->getForcedRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getRequiresRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getRereading()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getSkipped$runtime_release()Z @@ -4489,16 +4897,14 @@ HPLandroidx/compose/runtime/RecomposeScopeImpl;->getValid()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->invalidate()V HSPLandroidx/compose/runtime/RecomposeScopeImpl;->invalidateForResult(Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HSPLandroidx/compose/runtime/RecomposeScopeImpl;->isConditional()Z -HPLandroidx/compose/runtime/RecomposeScopeImpl;->isInvalidFor(Landroidx/compose/runtime/collection/IdentityArraySet;)Z +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->isInvalidFor(Landroidx/compose/runtime/collection/IdentityArraySet;)Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->recordRead(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->release()V -HSPLandroidx/compose/runtime/RecomposeScopeImpl;->rereadTrackedInstances()V -HSPLandroidx/compose/runtime/RecomposeScopeImpl;->scopeSkipped()V +HPLandroidx/compose/runtime/RecomposeScopeImpl;->scopeSkipped()V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setAnchor(Landroidx/compose/runtime/Anchor;)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setDefaultsInScope(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setDefaultsInvalid(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setRequiresRecompose(Z)V -HSPLandroidx/compose/runtime/RecomposeScopeImpl;->setRereading(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setSkipped(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->setUsed(Z)V HPLandroidx/compose/runtime/RecomposeScopeImpl;->start(I)V @@ -4506,10 +4912,12 @@ HPLandroidx/compose/runtime/RecomposeScopeImpl;->updateScope(Lkotlin/jvm/functio Landroidx/compose/runtime/RecomposeScopeImpl$Companion; HSPLandroidx/compose/runtime/RecomposeScopeImpl$Companion;->()V HSPLandroidx/compose/runtime/RecomposeScopeImpl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->(Landroidx/compose/runtime/RecomposeScopeImpl;ILandroidx/compose/runtime/collection/IdentityArrayIntMap;)V -HPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Landroidx/compose/runtime/Composition;)V -PLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/RecomposeScopeImpl$end$1$2; +HSPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->(Landroidx/compose/runtime/RecomposeScopeImpl;ILandroidx/collection/MutableObjectIntMap;)V +HSPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Landroidx/compose/runtime/Composition;)V +HSPLandroidx/compose/runtime/RecomposeScopeImpl$end$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/RecomposeScopeImplKt; +HSPLandroidx/compose/runtime/RecomposeScopeImplKt;->()V HSPLandroidx/compose/runtime/RecomposeScopeImplKt;->updateChangedFlags(I)I Landroidx/compose/runtime/RecomposeScopeOwner; Landroidx/compose/runtime/Recomposer; @@ -4523,31 +4931,34 @@ HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionInvalidations$p(L HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionValuesAwaitingInsert$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getHasBroadcastFrameClockAwaiters(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getHasSchedulingWork(Landroidx/compose/runtime/Recomposer;)Z -HSPLandroidx/compose/runtime/Recomposer;->access$getKnownCompositions$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; +HSPLandroidx/compose/runtime/Recomposer;->access$getKnownCompositions(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getRecomposerInfo$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/Recomposer$RecomposerInfoImpl; PLandroidx/compose/runtime/Recomposer;->access$getRunnerJob$p(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/Job; HSPLandroidx/compose/runtime/Recomposer;->access$getShouldKeepRecomposing(Landroidx/compose/runtime/Recomposer;)Z -HPLandroidx/compose/runtime/Recomposer;->access$getSnapshotInvalidations$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/collection/IdentityArraySet; +HSPLandroidx/compose/runtime/Recomposer;->access$getSnapshotInvalidations$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/collection/IdentityArraySet; HPLandroidx/compose/runtime/Recomposer;->access$getStateLock$p(Landroidx/compose/runtime/Recomposer;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Recomposer;->access$get_runningRecomposers$cp()Lkotlinx/coroutines/flow/MutableStateFlow; HPLandroidx/compose/runtime/Recomposer;->access$get_state$p(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/flow/MutableStateFlow; PLandroidx/compose/runtime/Recomposer;->access$isClosed$p(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$performRecompose(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/collection/IdentityArraySet;)Landroidx/compose/runtime/ControlledComposition; -HSPLandroidx/compose/runtime/Recomposer;->access$recordComposerModifications(Landroidx/compose/runtime/Recomposer;)Z +HPLandroidx/compose/runtime/Recomposer;->access$recordComposerModifications(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$registerRunnerJob(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setChangeCount$p(Landroidx/compose/runtime/Recomposer;J)V PLandroidx/compose/runtime/Recomposer;->access$setCloseCause$p(Landroidx/compose/runtime/Recomposer;Ljava/lang/Throwable;)V HSPLandroidx/compose/runtime/Recomposer;->access$setCompositionsRemoved$p(Landroidx/compose/runtime/Recomposer;Ljava/util/Set;)V PLandroidx/compose/runtime/Recomposer;->access$setRunnerJob$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setWorkContinuation$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/CancellableContinuation;)V +HPLandroidx/compose/runtime/Recomposer;->addKnownCompositionLocked(Landroidx/compose/runtime/ControlledComposition;)V HPLandroidx/compose/runtime/Recomposer;->applyAndCheck(Landroidx/compose/runtime/snapshots/MutableSnapshot;)V HPLandroidx/compose/runtime/Recomposer;->awaitWorkAvailable(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->cancel()V +PLandroidx/compose/runtime/Recomposer;->clearKnownCompositionsLocked()V HPLandroidx/compose/runtime/Recomposer;->composeInitial$runtime_release(Landroidx/compose/runtime/ControlledComposition;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/Recomposer;->deriveStateLocked()Lkotlinx/coroutines/CancellableContinuation; HPLandroidx/compose/runtime/Recomposer;->discardUnusedValues()V HSPLandroidx/compose/runtime/Recomposer;->getChangeCount()J HSPLandroidx/compose/runtime/Recomposer;->getCollectingParameterInformation$runtime_release()Z +HSPLandroidx/compose/runtime/Recomposer;->getCollectingSourceInformation$runtime_release()Z HSPLandroidx/compose/runtime/Recomposer;->getCompoundHashKey$runtime_release()I HSPLandroidx/compose/runtime/Recomposer;->getCurrentState()Lkotlinx/coroutines/flow/StateFlow; HPLandroidx/compose/runtime/Recomposer;->getEffectCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -4555,6 +4966,7 @@ HSPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaiters()Z HPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaitersLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasFrameWorkLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasSchedulingWork()Z +HPLandroidx/compose/runtime/Recomposer;->getKnownCompositions()Ljava/util/List; HPLandroidx/compose/runtime/Recomposer;->getShouldKeepRecomposing()Z HSPLandroidx/compose/runtime/Recomposer;->insertMovableContent$runtime_release(Landroidx/compose/runtime/MovableContentStateReference;)V HPLandroidx/compose/runtime/Recomposer;->invalidate$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V @@ -4568,6 +4980,7 @@ HPLandroidx/compose/runtime/Recomposer;->readObserverOf(Landroidx/compose/runtim HSPLandroidx/compose/runtime/Recomposer;->recompositionRunner(Lkotlin/jvm/functions/Function3;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->recordComposerModifications()Z HSPLandroidx/compose/runtime/Recomposer;->registerRunnerJob(Lkotlinx/coroutines/Job;)V +HPLandroidx/compose/runtime/Recomposer;->removeKnownCompositionLocked(Landroidx/compose/runtime/ControlledComposition;)V HSPLandroidx/compose/runtime/Recomposer;->resumeCompositionFrameClock()V HSPLandroidx/compose/runtime/Recomposer;->runRecomposeAndApplyChanges(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->unregisterComposition$runtime_release(Landroidx/compose/runtime/ControlledComposition;)V @@ -4630,10 +5043,10 @@ HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->(L HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->access$invokeSuspend$fillToInsert(Ljava/util/List;Landroidx/compose/runtime/Recomposer;)V HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Landroidx/compose/runtime/MonotonicFrameClock;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend$fillToInsert(Ljava/util/List;Landroidx/compose/runtime/Recomposer;)V +HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend$fillToInsert(Ljava/util/List;Landroidx/compose/runtime/Recomposer;)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1; -HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V +HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/collection/IdentityArraySet;Landroidx/compose/runtime/collection/IdentityArraySet;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$writeObserverOf$1; @@ -4647,15 +5060,23 @@ HSPLandroidx/compose/runtime/RecomposerKt;->removeLastMultiValue(Ljava/util/Map; Landroidx/compose/runtime/ReferentialEqualityPolicy; HSPLandroidx/compose/runtime/ReferentialEqualityPolicy;->()V HSPLandroidx/compose/runtime/ReferentialEqualityPolicy;->()V +HSPLandroidx/compose/runtime/ReferentialEqualityPolicy;->equivalent(Ljava/lang/Object;Ljava/lang/Object;)Z Landroidx/compose/runtime/RememberManager; Landroidx/compose/runtime/RememberObserver; +Landroidx/compose/runtime/RememberObserverHolder; +HSPLandroidx/compose/runtime/RememberObserverHolder;->()V +HPLandroidx/compose/runtime/RememberObserverHolder;->(Landroidx/compose/runtime/RememberObserver;)V +HPLandroidx/compose/runtime/RememberObserverHolder;->getWrapped()Landroidx/compose/runtime/RememberObserver; +Landroidx/compose/runtime/ReusableComposition; +Landroidx/compose/runtime/ReusableRememberObserver; Landroidx/compose/runtime/ScopeUpdateScope; Landroidx/compose/runtime/SkippableUpdater; HPLandroidx/compose/runtime/SkippableUpdater;->(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/runtime/SkippableUpdater;->box-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/SkippableUpdater; -HPLandroidx/compose/runtime/SkippableUpdater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; +HSPLandroidx/compose/runtime/SkippableUpdater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; HPLandroidx/compose/runtime/SkippableUpdater;->unbox-impl()Landroidx/compose/runtime/Composer; Landroidx/compose/runtime/SlotReader; +HSPLandroidx/compose/runtime/SlotReader;->()V HPLandroidx/compose/runtime/SlotReader;->(Landroidx/compose/runtime/SlotTable;)V HPLandroidx/compose/runtime/SlotReader;->anchor(I)Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; @@ -4665,7 +5086,6 @@ HSPLandroidx/compose/runtime/SlotReader;->containsMark(I)Z HPLandroidx/compose/runtime/SlotReader;->endEmpty()V HPLandroidx/compose/runtime/SlotReader;->endGroup()V HPLandroidx/compose/runtime/SlotReader;->extractKeys()Ljava/util/List; -HPLandroidx/compose/runtime/SlotReader;->forEachData$runtime_release(ILkotlin/jvm/functions/Function2;)V PLandroidx/compose/runtime/SlotReader;->getCurrentEnd()I HPLandroidx/compose/runtime/SlotReader;->getCurrentGroup()I HPLandroidx/compose/runtime/SlotReader;->getGroupAux()Ljava/lang/Object; @@ -4680,7 +5100,7 @@ HPLandroidx/compose/runtime/SlotReader;->getParentNodes()I HPLandroidx/compose/runtime/SlotReader;->getSize()I HPLandroidx/compose/runtime/SlotReader;->getTable$runtime_release()Landroidx/compose/runtime/SlotTable; HPLandroidx/compose/runtime/SlotReader;->groupAux(I)Ljava/lang/Object; -HPLandroidx/compose/runtime/SlotReader;->groupGet(I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/SlotReader;->groupGet(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->groupGet(II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->groupKey(I)I HPLandroidx/compose/runtime/SlotReader;->groupObjectKey(I)Ljava/lang/Object; @@ -4703,22 +5123,23 @@ HPLandroidx/compose/runtime/SlotReader;->skipToGroupEnd()V HPLandroidx/compose/runtime/SlotReader;->startGroup()V HPLandroidx/compose/runtime/SlotReader;->startNode()V Landroidx/compose/runtime/SlotTable; +HSPLandroidx/compose/runtime/SlotTable;->()V HPLandroidx/compose/runtime/SlotTable;->()V HPLandroidx/compose/runtime/SlotTable;->anchorIndex(Landroidx/compose/runtime/Anchor;)I -HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotReader;)V -HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotWriter;[II[Ljava/lang/Object;ILjava/util/ArrayList;)V +HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotReader;Ljava/util/HashMap;)V +HPLandroidx/compose/runtime/SlotTable;->close$runtime_release(Landroidx/compose/runtime/SlotWriter;[II[Ljava/lang/Object;ILjava/util/ArrayList;Ljava/util/HashMap;)V HPLandroidx/compose/runtime/SlotTable;->getAnchors$runtime_release()Ljava/util/ArrayList; HPLandroidx/compose/runtime/SlotTable;->getGroups()[I HPLandroidx/compose/runtime/SlotTable;->getGroupsSize()I HPLandroidx/compose/runtime/SlotTable;->getSlots()[Ljava/lang/Object; HPLandroidx/compose/runtime/SlotTable;->getSlotsSize()I +HPLandroidx/compose/runtime/SlotTable;->getSourceInformationMap$runtime_release()Ljava/util/HashMap; HPLandroidx/compose/runtime/SlotTable;->isEmpty()Z HPLandroidx/compose/runtime/SlotTable;->openReader()Landroidx/compose/runtime/SlotReader; HPLandroidx/compose/runtime/SlotTable;->openWriter()Landroidx/compose/runtime/SlotWriter; HPLandroidx/compose/runtime/SlotTable;->ownsAnchor(Landroidx/compose/runtime/Anchor;)Z -HPLandroidx/compose/runtime/SlotTable;->setTo$runtime_release([II[Ljava/lang/Object;ILjava/util/ArrayList;)V +HPLandroidx/compose/runtime/SlotTable;->setTo$runtime_release([II[Ljava/lang/Object;ILjava/util/ArrayList;Ljava/util/HashMap;)V Landroidx/compose/runtime/SlotTableKt; -HPLandroidx/compose/runtime/SlotTableKt;->access$addAux([II)V HPLandroidx/compose/runtime/SlotTableKt;->access$auxIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->access$containsAnyMark([II)Z HPLandroidx/compose/runtime/SlotTableKt;->access$containsMark([II)Z @@ -4739,19 +5160,18 @@ HPLandroidx/compose/runtime/SlotTableKt;->access$objectKeyIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->access$parentAnchor([II)I HPLandroidx/compose/runtime/SlotTableKt;->access$search(Ljava/util/ArrayList;II)I HPLandroidx/compose/runtime/SlotTableKt;->access$slotAnchor([II)I -HPLandroidx/compose/runtime/SlotTableKt;->access$updateContainsMark([IIZ)V +HSPLandroidx/compose/runtime/SlotTableKt;->access$updateContainsMark([IIZ)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateDataAnchor([III)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateGroupSize([III)V HSPLandroidx/compose/runtime/SlotTableKt;->access$updateMark([IIZ)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateNodeCount([III)V HPLandroidx/compose/runtime/SlotTableKt;->access$updateParentAnchor([III)V -HPLandroidx/compose/runtime/SlotTableKt;->addAux([II)V HPLandroidx/compose/runtime/SlotTableKt;->auxIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->containsAnyMark([II)Z -HPLandroidx/compose/runtime/SlotTableKt;->containsMark([II)Z +HSPLandroidx/compose/runtime/SlotTableKt;->containsMark([II)Z HPLandroidx/compose/runtime/SlotTableKt;->countOneBits(I)I HPLandroidx/compose/runtime/SlotTableKt;->dataAnchor([II)I -HPLandroidx/compose/runtime/SlotTableKt;->groupInfo([II)I +HSPLandroidx/compose/runtime/SlotTableKt;->groupInfo([II)I HPLandroidx/compose/runtime/SlotTableKt;->groupSize([II)I HPLandroidx/compose/runtime/SlotTableKt;->hasAux([II)Z HSPLandroidx/compose/runtime/SlotTableKt;->hasMark([II)Z @@ -4766,7 +5186,7 @@ HPLandroidx/compose/runtime/SlotTableKt;->objectKeyIndex([II)I HPLandroidx/compose/runtime/SlotTableKt;->parentAnchor([II)I HPLandroidx/compose/runtime/SlotTableKt;->search(Ljava/util/ArrayList;II)I HPLandroidx/compose/runtime/SlotTableKt;->slotAnchor([II)I -HPLandroidx/compose/runtime/SlotTableKt;->updateContainsMark([IIZ)V +HSPLandroidx/compose/runtime/SlotTableKt;->updateContainsMark([IIZ)V HPLandroidx/compose/runtime/SlotTableKt;->updateDataAnchor([III)V HPLandroidx/compose/runtime/SlotTableKt;->updateGroupSize([III)V HSPLandroidx/compose/runtime/SlotTableKt;->updateMark([IIZ)V @@ -4789,12 +5209,16 @@ HPLandroidx/compose/runtime/SlotWriter;->access$getSlots$p(Landroidx/compose/run HSPLandroidx/compose/runtime/SlotWriter;->access$getSlotsGapLen$p(Landroidx/compose/runtime/SlotWriter;)I HSPLandroidx/compose/runtime/SlotWriter;->access$getSlotsGapOwner$p(Landroidx/compose/runtime/SlotWriter;)I HPLandroidx/compose/runtime/SlotWriter;->access$getSlotsGapStart$p(Landroidx/compose/runtime/SlotWriter;)I +HSPLandroidx/compose/runtime/SlotWriter;->access$getSourceInformationMap$p(Landroidx/compose/runtime/SlotWriter;)Ljava/util/HashMap; +PLandroidx/compose/runtime/SlotWriter;->access$groupIndexToAddress(Landroidx/compose/runtime/SlotWriter;I)I HSPLandroidx/compose/runtime/SlotWriter;->access$insertGroups(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$insertSlots(Landroidx/compose/runtime/SlotWriter;II)V HSPLandroidx/compose/runtime/SlotWriter;->access$setCurrentGroup$p(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$setCurrentSlot$p(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$setNodeCount$p(Landroidx/compose/runtime/SlotWriter;I)V HSPLandroidx/compose/runtime/SlotWriter;->access$setSlotsGapOwner$p(Landroidx/compose/runtime/SlotWriter;I)V +PLandroidx/compose/runtime/SlotWriter;->access$slotIndex(Landroidx/compose/runtime/SlotWriter;[II)I +HSPLandroidx/compose/runtime/SlotWriter;->access$sourceInformationOf(Landroidx/compose/runtime/SlotWriter;I)Landroidx/compose/runtime/GroupSourceInformation; HSPLandroidx/compose/runtime/SlotWriter;->access$updateContainsMark(Landroidx/compose/runtime/SlotWriter;I)V HPLandroidx/compose/runtime/SlotWriter;->advanceBy(I)V HPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; @@ -4814,10 +5238,11 @@ HPLandroidx/compose/runtime/SlotWriter;->dataIndexToDataAnchor(IIII)I HPLandroidx/compose/runtime/SlotWriter;->endGroup()I HPLandroidx/compose/runtime/SlotWriter;->endInsert()V HPLandroidx/compose/runtime/SlotWriter;->ensureStarted(I)V -HPLandroidx/compose/runtime/SlotWriter;->ensureStarted(Landroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/SlotWriter;->ensureStarted(Landroidx/compose/runtime/Anchor;)V HPLandroidx/compose/runtime/SlotWriter;->getCapacity()I HPLandroidx/compose/runtime/SlotWriter;->getClosed()Z HPLandroidx/compose/runtime/SlotWriter;->getCurrentGroup()I +PLandroidx/compose/runtime/SlotWriter;->getCurrentGroupEnd()I HPLandroidx/compose/runtime/SlotWriter;->getParent()I HPLandroidx/compose/runtime/SlotWriter;->getSize$runtime_release()I HPLandroidx/compose/runtime/SlotWriter;->getTable$runtime_release()Landroidx/compose/runtime/SlotTable; @@ -4828,12 +5253,11 @@ HPLandroidx/compose/runtime/SlotWriter;->groupObjectKey(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->groupSize(I)I HPLandroidx/compose/runtime/SlotWriter;->groupSlots()Ljava/util/Iterator; HSPLandroidx/compose/runtime/SlotWriter;->indexInCurrentGroup(I)Z -HPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z +HSPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z HSPLandroidx/compose/runtime/SlotWriter;->indexInParent(I)Z -HPLandroidx/compose/runtime/SlotWriter;->insertAux(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->insertGroups(I)V HPLandroidx/compose/runtime/SlotWriter;->insertSlots(II)V -HPLandroidx/compose/runtime/SlotWriter;->isNode()Z +HSPLandroidx/compose/runtime/SlotWriter;->isNode()Z HSPLandroidx/compose/runtime/SlotWriter;->isNode(I)Z HSPLandroidx/compose/runtime/SlotWriter;->markGroup$default(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->markGroup(I)V @@ -4848,23 +5272,24 @@ HPLandroidx/compose/runtime/SlotWriter;->parent([II)I HPLandroidx/compose/runtime/SlotWriter;->parentAnchorToIndex(I)I HPLandroidx/compose/runtime/SlotWriter;->parentIndexToAnchor(II)I HPLandroidx/compose/runtime/SlotWriter;->recalculateMarks()V -HPLandroidx/compose/runtime/SlotWriter;->removeAnchors(II)Z +HPLandroidx/compose/runtime/SlotWriter;->removeAnchors(IILjava/util/HashMap;)Z HPLandroidx/compose/runtime/SlotWriter;->removeGroup()Z HPLandroidx/compose/runtime/SlotWriter;->removeGroups(II)Z HPLandroidx/compose/runtime/SlotWriter;->removeSlots(III)V HSPLandroidx/compose/runtime/SlotWriter;->reset()V HPLandroidx/compose/runtime/SlotWriter;->restoreCurrentGroupEnd()I HPLandroidx/compose/runtime/SlotWriter;->saveCurrentGroupEnd()V +HPLandroidx/compose/runtime/SlotWriter;->set(IILjava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->set(ILjava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->set(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->skip()Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->skipGroup()I HPLandroidx/compose/runtime/SlotWriter;->skipToGroupEnd()V -HPLandroidx/compose/runtime/SlotWriter;->slot(II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->slotIndex([II)I +HPLandroidx/compose/runtime/SlotWriter;->sourceInformationOf(I)Landroidx/compose/runtime/GroupSourceInformation; HPLandroidx/compose/runtime/SlotWriter;->startData(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup()V -HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V +HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;ZLjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startNode(ILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->update(Ljava/lang/Object;)Ljava/lang/Object; @@ -4892,27 +5317,33 @@ HSPLandroidx/compose/runtime/SnapshotLongStateKt;->mutableLongStateOf(J)Landroid Landroidx/compose/runtime/SnapshotLongStateKt__SnapshotLongStateKt; HSPLandroidx/compose/runtime/SnapshotLongStateKt__SnapshotLongStateKt;->mutableLongStateOf(J)Landroidx/compose/runtime/MutableLongState; Landroidx/compose/runtime/SnapshotMutableFloatStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->(F)V -PLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->getFloatValue()F +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl;->setFloatValue(F)V Landroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord; HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->(F)V +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->getValue()F HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord;->setValue(F)V Landroidx/compose/runtime/SnapshotMutableIntStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->(I)V -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getIntValue()I -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->setIntValue(I)V Landroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord; -HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->(I)V -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V -PLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; -HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->getValue()I +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->(I)V +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->getValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->setValue(I)V Landroidx/compose/runtime/SnapshotMutableLongStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->(J)V HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableLongStateImpl;->getLongValue()J @@ -4925,6 +5356,7 @@ HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl$LongStateStateRecord;- HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl$LongStateStateRecord;->getValue()J HSPLandroidx/compose/runtime/SnapshotMutableLongStateImpl$LongStateStateRecord;->setValue(J)V Landroidx/compose/runtime/SnapshotMutableStateImpl; +HSPLandroidx/compose/runtime/SnapshotMutableStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableStateImpl;->(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)V HPLandroidx/compose/runtime/SnapshotMutableStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableStateImpl;->getPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; @@ -4949,6 +5381,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt;->mutableStateOf$default(Ljava/lang/ HPLandroidx/compose/runtime/SnapshotStateKt;->mutableStateOf(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)Landroidx/compose/runtime/MutableState; HSPLandroidx/compose/runtime/SnapshotStateKt;->neverEqualPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HSPLandroidx/compose/runtime/SnapshotStateKt;->produceState(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HSPLandroidx/compose/runtime/SnapshotStateKt;->produceState(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; HSPLandroidx/compose/runtime/SnapshotStateKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/SnapshotStateKt;->rememberUpdatedState(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; HSPLandroidx/compose/runtime/SnapshotStateKt;->snapshotFlow(Lkotlin/jvm/functions/Function0;)Lkotlinx/coroutines/flow/Flow; @@ -4961,13 +5394,18 @@ PLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Land HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt; HPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt;->produceState(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt;->produceState(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1; +HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1;->(Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V +HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2; HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2;->(Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HSPLandroidx/compose/runtime/SnapshotStateKt__ProduceStateKt$produceState$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt; -HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->access$intersects(Ljava/util/Set;Ljava/util/Set;)Z -HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->intersects$SnapshotStateKt__SnapshotFlowKt(Ljava/util/Set;Ljava/util/Set;)Z +PLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->access$intersects(Landroidx/collection/MutableScatterSet;Ljava/util/Set;)Z +HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->intersects$SnapshotStateKt__SnapshotFlowKt(Landroidx/collection/MutableScatterSet;Ljava/util/Set;)Z HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt;->snapshotFlow(Lkotlin/jvm/functions/Function0;)Lkotlinx/coroutines/flow/Flow; Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->(Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;)V @@ -4976,7 +5414,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->inv HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1; -HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->(Ljava/util/Set;)V +HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->(Landroidx/collection/MutableScatterSet;)V HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$readObserver$1;->invoke(Ljava/lang/Object;)V Landroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unregisterApplyObserver$1; @@ -4985,7 +5423,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unreg HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unregisterApplyObserver$1;->invoke(Ljava/util/Set;Landroidx/compose/runtime/snapshots/Snapshot;)V Landroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->neverEqualPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; -HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; +HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->structuralEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; Landroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateListOf()Landroidx/compose/runtime/snapshots/SnapshotStateList; @@ -4995,10 +5433,12 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateOf$de HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateOf(Ljava/lang/Object;Landroidx/compose/runtime/SnapshotMutationPolicy;)Landroidx/compose/runtime/MutableState; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->rememberUpdatedState(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotThreadLocal; +HSPLandroidx/compose/runtime/SnapshotThreadLocal;->()V HSPLandroidx/compose/runtime/SnapshotThreadLocal;->()V HPLandroidx/compose/runtime/SnapshotThreadLocal;->get()Ljava/lang/Object; HPLandroidx/compose/runtime/SnapshotThreadLocal;->set(Ljava/lang/Object;)V Landroidx/compose/runtime/Stack; +HSPLandroidx/compose/runtime/Stack;->()V HPLandroidx/compose/runtime/Stack;->()V HPLandroidx/compose/runtime/Stack;->clear()V HPLandroidx/compose/runtime/Stack;->getSize()I @@ -5011,11 +5451,13 @@ HPLandroidx/compose/runtime/Stack;->push(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/Stack;->toArray()[Ljava/lang/Object; Landroidx/compose/runtime/State; Landroidx/compose/runtime/StaticProvidableCompositionLocal; +HSPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->()V HSPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->(Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->provided$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Landroidx/compose/runtime/State; +HPLandroidx/compose/runtime/StaticProvidableCompositionLocal;->updatedStateOf$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/State;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/StaticValueHolder; +HSPLandroidx/compose/runtime/StaticValueHolder;->()V HPLandroidx/compose/runtime/StaticValueHolder;->(Ljava/lang/Object;)V -PLandroidx/compose/runtime/StaticValueHolder;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/StaticValueHolder;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/StaticValueHolder;->getValue()Ljava/lang/Object; Landroidx/compose/runtime/StructuralEqualityPolicy; HSPLandroidx/compose/runtime/StructuralEqualityPolicy;->()V @@ -5027,77 +5469,282 @@ HSPLandroidx/compose/runtime/Trace;->()V HPLandroidx/compose/runtime/Trace;->beginSection(Ljava/lang/String;)Ljava/lang/Object; HPLandroidx/compose/runtime/Trace;->endSection(Ljava/lang/Object;)V Landroidx/compose/runtime/Updater; -HPLandroidx/compose/runtime/Updater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; +HSPLandroidx/compose/runtime/Updater;->constructor-impl(Landroidx/compose/runtime/Composer;)Landroidx/compose/runtime/Composer; HPLandroidx/compose/runtime/Updater;->set-impl(Landroidx/compose/runtime/Composer;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V Landroidx/compose/runtime/WeakReference; -Landroidx/compose/runtime/collection/IdentityArrayIntMap; -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->()V -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->access$setSize$p(Landroidx/compose/runtime/collection/IdentityArrayIntMap;I)V -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->add(Ljava/lang/Object;I)I -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->find(Ljava/lang/Object;)I -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->getKeys()[Ljava/lang/Object; -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->getSize()I -HPLandroidx/compose/runtime/collection/IdentityArrayIntMap;->getValues()[I +Landroidx/compose/runtime/changelist/ChangeList; +HSPLandroidx/compose/runtime/changelist/ChangeList;->()V +HPLandroidx/compose/runtime/changelist/ChangeList;->()V +HPLandroidx/compose/runtime/changelist/ChangeList;->clear()V +HPLandroidx/compose/runtime/changelist/ChangeList;->executeAndFlushAllPendingChanges(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->isEmpty()Z +HPLandroidx/compose/runtime/changelist/ChangeList;->isNotEmpty()Z +HPLandroidx/compose/runtime/changelist/ChangeList;->pushAdvanceSlotsBy(I)V +PLandroidx/compose/runtime/changelist/ChangeList;->pushDeactivateCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushDetermineMovableContentNodeIndex(Landroidx/compose/runtime/internal/IntRef;Landroidx/compose/runtime/Anchor;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushDowns([Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushEndCompositionScope(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composition;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushEndCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushEndMovableContentPlacement()V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushEnsureGroupStarted(Landroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushEnsureRootStarted()V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushExecuteOperationsIn(Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/internal/IntRef;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushInsertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushInsertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/changelist/FixupList;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushRemember(Landroidx/compose/runtime/RememberObserver;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushRemoveCurrentGroup()V +PLandroidx/compose/runtime/changelist/ChangeList;->pushRemoveNode(II)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushResetSlots()V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushSideEffect(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/runtime/changelist/ChangeList;->pushSkipToEndOfCurrentGroup()V +PLandroidx/compose/runtime/changelist/ChangeList;->pushUpdateAuxData(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushUpdateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushUpdateValue(Ljava/lang/Object;I)V +HPLandroidx/compose/runtime/changelist/ChangeList;->pushUps(I)V +Landroidx/compose/runtime/changelist/ComposerChangeListWriter; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/changelist/ChangeList;)V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->deactivateCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->determineMovableContentNodeIndex(Landroidx/compose/runtime/internal/IntRef;Landroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endCompositionScope(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composition;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endMovableContentPlacement()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endNodeMovement()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->endRoot()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->ensureGroupStarted(Landroidx/compose/runtime/Anchor;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->ensureRootStarted()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->finalizeComposition()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->getChangeList()Landroidx/compose/runtime/changelist/ChangeList; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->getImplicitRootStart()Z +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->getReader()Landroidx/compose/runtime/SlotReader; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->includeOperationsIn(Landroidx/compose/runtime/changelist/ChangeList;Landroidx/compose/runtime/internal/IntRef;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->insertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->insertSlots(Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/SlotTable;Landroidx/compose/runtime/changelist/FixupList;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveDown(Ljava/lang/Object;)V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveReaderRelativeTo(I)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveReaderToAbsolute(I)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveUp()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushApplierOperationPreamble()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushPendingUpsAndDowns()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotEditingOperationPreamble()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble(Z)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeNodeMovementOperations()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeOperationLocation$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeOperationLocation(Z)V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeRemoveNode(II)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->recordSlotEditing()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->remember(Landroidx/compose/runtime/RememberObserver;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->removeCurrentGroup()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->removeNode(II)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->resetSlots()V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->resetTransientState()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->setChangeList(Landroidx/compose/runtime/changelist/ChangeList;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->setImplicitRootStart(Z)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->sideEffect(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->skipToEndOfCurrentGroup()V +PLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->updateAuxData(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->updateValue(Ljava/lang/Object;I)V +Landroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion; +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion;->()V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/runtime/changelist/FixupList; +HSPLandroidx/compose/runtime/changelist/FixupList;->()V +HPLandroidx/compose/runtime/changelist/FixupList;->()V +HPLandroidx/compose/runtime/changelist/FixupList;->createAndInsertNode(Lkotlin/jvm/functions/Function0;ILandroidx/compose/runtime/Anchor;)V +HPLandroidx/compose/runtime/changelist/FixupList;->endNodeInsert()V +HPLandroidx/compose/runtime/changelist/FixupList;->executeAndFlushAllPendingFixups(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/FixupList;->isEmpty()Z +HPLandroidx/compose/runtime/changelist/FixupList;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +Landroidx/compose/runtime/changelist/Operation; +HSPLandroidx/compose/runtime/changelist/Operation;->()V +HSPLandroidx/compose/runtime/changelist/Operation;->(II)V +HSPLandroidx/compose/runtime/changelist/Operation;->(IIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/runtime/changelist/Operation;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/runtime/changelist/Operation;->getInts()I +HPLandroidx/compose/runtime/changelist/Operation;->getObjects()I +Landroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy; +HSPLandroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy;->()V +HSPLandroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy;->()V +HPLandroidx/compose/runtime/changelist/Operation$AdvanceSlotsBy;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$ApplyChangeList; +HSPLandroidx/compose/runtime/changelist/Operation$ApplyChangeList;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ApplyChangeList;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ApplyChangeList;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +PLandroidx/compose/runtime/changelist/Operation$DeactivateCurrentGroup;->()V +PLandroidx/compose/runtime/changelist/Operation$DeactivateCurrentGroup;->()V +PLandroidx/compose/runtime/changelist/Operation$DeactivateCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex; +HSPLandroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex;->()V +HSPLandroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex;->()V +HSPLandroidx/compose/runtime/changelist/Operation$DetermineMovableContentNodeIndex;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$Downs; +HSPLandroidx/compose/runtime/changelist/Operation$Downs;->()V +HSPLandroidx/compose/runtime/changelist/Operation$Downs;->()V +HPLandroidx/compose/runtime/changelist/Operation$Downs;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EndCompositionScope; +HSPLandroidx/compose/runtime/changelist/Operation$EndCompositionScope;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCompositionScope;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCompositionScope;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EndCurrentGroup; +HSPLandroidx/compose/runtime/changelist/Operation$EndCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement; +HSPLandroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EndMovableContentPlacement;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EnsureGroupStarted; +HSPLandroidx/compose/runtime/changelist/Operation$EnsureGroupStarted;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EnsureGroupStarted;->()V +HPLandroidx/compose/runtime/changelist/Operation$EnsureGroupStarted;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted; +HSPLandroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted;->()V +HSPLandroidx/compose/runtime/changelist/Operation$EnsureRootGroupStarted;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$InsertNodeFixup; +HSPLandroidx/compose/runtime/changelist/Operation$InsertNodeFixup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$InsertNodeFixup;->()V +HPLandroidx/compose/runtime/changelist/Operation$InsertNodeFixup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$InsertSlots; +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlots;->()V +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlots;->()V +HPLandroidx/compose/runtime/changelist/Operation$InsertSlots;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups; +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups;->()V +HSPLandroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups;->()V +HPLandroidx/compose/runtime/changelist/Operation$InsertSlotsWithFixups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$IntParameter; +HPLandroidx/compose/runtime/changelist/Operation$IntParameter;->constructor-impl(I)I +Landroidx/compose/runtime/changelist/Operation$ObjectParameter; +HPLandroidx/compose/runtime/changelist/Operation$ObjectParameter;->constructor-impl(I)I +Landroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup; +HSPLandroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup;->()V +HPLandroidx/compose/runtime/changelist/Operation$PostInsertNodeFixup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$Remember; +HSPLandroidx/compose/runtime/changelist/Operation$Remember;->()V +HSPLandroidx/compose/runtime/changelist/Operation$Remember;->()V +HPLandroidx/compose/runtime/changelist/Operation$Remember;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup; +HSPLandroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$RemoveCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +PLandroidx/compose/runtime/changelist/Operation$RemoveNode;->()V +PLandroidx/compose/runtime/changelist/Operation$RemoveNode;->()V +PLandroidx/compose/runtime/changelist/Operation$RemoveNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$ResetSlots; +HSPLandroidx/compose/runtime/changelist/Operation$ResetSlots;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ResetSlots;->()V +HSPLandroidx/compose/runtime/changelist/Operation$ResetSlots;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$SideEffect; +HSPLandroidx/compose/runtime/changelist/Operation$SideEffect;->()V +HSPLandroidx/compose/runtime/changelist/Operation$SideEffect;->()V +HPLandroidx/compose/runtime/changelist/Operation$SideEffect;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup; +HSPLandroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup;->()V +HSPLandroidx/compose/runtime/changelist/Operation$SkipToEndOfCurrentGroup;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->()V +PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->()V +PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$UpdateNode; +HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V +HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V +HPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$UpdateValue; +HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V +HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V +HPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/Operation$Ups; +HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V +HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V +HPLandroidx/compose/runtime/changelist/Operation$Ups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +Landroidx/compose/runtime/changelist/OperationArgContainer; +Landroidx/compose/runtime/changelist/OperationKt; +HSPLandroidx/compose/runtime/changelist/OperationKt;->access$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I +HSPLandroidx/compose/runtime/changelist/OperationKt;->access$positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V +HSPLandroidx/compose/runtime/changelist/OperationKt;->currentNodeIndex(Landroidx/compose/runtime/SlotWriter;)I +HPLandroidx/compose/runtime/changelist/OperationKt;->positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I +HSPLandroidx/compose/runtime/changelist/OperationKt;->positionToParentOf(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Applier;I)V +Landroidx/compose/runtime/changelist/Operations; +HSPLandroidx/compose/runtime/changelist/Operations;->()V +HPLandroidx/compose/runtime/changelist/Operations;->()V +HPLandroidx/compose/runtime/changelist/Operations;->access$createExpectedArgMask(Landroidx/compose/runtime/changelist/Operations;I)I +HPLandroidx/compose/runtime/changelist/Operations;->access$getIntArgs$p(Landroidx/compose/runtime/changelist/Operations;)[I +HPLandroidx/compose/runtime/changelist/Operations;->access$getObjectArgs$p(Landroidx/compose/runtime/changelist/Operations;)[Ljava/lang/Object; +HPLandroidx/compose/runtime/changelist/Operations;->access$getOpCodes$p(Landroidx/compose/runtime/changelist/Operations;)[Landroidx/compose/runtime/changelist/Operation; +HPLandroidx/compose/runtime/changelist/Operations;->access$getOpCodesSize$p(Landroidx/compose/runtime/changelist/Operations;)I +HPLandroidx/compose/runtime/changelist/Operations;->access$getPushedIntMask$p(Landroidx/compose/runtime/changelist/Operations;)I +HPLandroidx/compose/runtime/changelist/Operations;->access$getPushedObjectMask$p(Landroidx/compose/runtime/changelist/Operations;)I +HPLandroidx/compose/runtime/changelist/Operations;->access$setPushedIntMask$p(Landroidx/compose/runtime/changelist/Operations;I)V +HPLandroidx/compose/runtime/changelist/Operations;->access$setPushedObjectMask$p(Landroidx/compose/runtime/changelist/Operations;I)V +HPLandroidx/compose/runtime/changelist/Operations;->access$topIntIndexOf-w8GmfQM(Landroidx/compose/runtime/changelist/Operations;I)I +HPLandroidx/compose/runtime/changelist/Operations;->access$topObjectIndexOf-31yXWZQ(Landroidx/compose/runtime/changelist/Operations;I)I +HPLandroidx/compose/runtime/changelist/Operations;->clear()V +HPLandroidx/compose/runtime/changelist/Operations;->createExpectedArgMask(I)I +HPLandroidx/compose/runtime/changelist/Operations;->determineNewSize(II)I +HPLandroidx/compose/runtime/changelist/Operations;->ensureIntArgsSizeAtLeast(I)V +HPLandroidx/compose/runtime/changelist/Operations;->ensureObjectArgsSizeAtLeast(I)V +HSPLandroidx/compose/runtime/changelist/Operations;->executeAndFlushAllPendingOperations(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/Operations;->getSize()I +HPLandroidx/compose/runtime/changelist/Operations;->isEmpty()Z +HPLandroidx/compose/runtime/changelist/Operations;->isNotEmpty()Z +HPLandroidx/compose/runtime/changelist/Operations;->peekOperation()Landroidx/compose/runtime/changelist/Operation; +HPLandroidx/compose/runtime/changelist/Operations;->popInto(Landroidx/compose/runtime/changelist/Operations;)V +HPLandroidx/compose/runtime/changelist/Operations;->push(Landroidx/compose/runtime/changelist/Operation;)V +HPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V +HPLandroidx/compose/runtime/changelist/Operations;->topIntIndexOf-w8GmfQM(I)I +HPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I +Landroidx/compose/runtime/changelist/Operations$Companion; +HSPLandroidx/compose/runtime/changelist/Operations$Companion;->()V +HSPLandroidx/compose/runtime/changelist/Operations$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/runtime/changelist/Operations$OpIterator; +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->(Landroidx/compose/runtime/changelist/Operations;)V +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getInt-w8GmfQM(I)I +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getObject-31yXWZQ(I)Ljava/lang/Object; +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getOperation()Landroidx/compose/runtime/changelist/Operation; +HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->next()Z +Landroidx/compose/runtime/changelist/Operations$WriteScope; +HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->constructor-impl(Landroidx/compose/runtime/changelist/Operations;)Landroidx/compose/runtime/changelist/Operations; +HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->setInt-A6tL2VI(Landroidx/compose/runtime/changelist/Operations;II)V +HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->setObject-DKhxnng(Landroidx/compose/runtime/changelist/Operations;ILjava/lang/Object;)V +Landroidx/compose/runtime/changelist/OperationsDebugStringFormattable; Landroidx/compose/runtime/collection/IdentityArrayMap; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->()V HPLandroidx/compose/runtime/collection/IdentityArrayMap;->(I)V HPLandroidx/compose/runtime/collection/IdentityArrayMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/runtime/collection/IdentityArrayMap;->access$setSize$p(Landroidx/compose/runtime/collection/IdentityArrayMap;I)V -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->clear()V -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->contains(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/IdentityArrayMap;->find(Ljava/lang/Object;)I -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->getKeys()[Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->getKeys()[Ljava/lang/Object; HPLandroidx/compose/runtime/collection/IdentityArrayMap;->getSize()I -HPLandroidx/compose/runtime/collection/IdentityArrayMap;->getValues()[Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->getValues()[Ljava/lang/Object; HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->isNotEmpty()Z -HSPLandroidx/compose/runtime/collection/IdentityArrayMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/collection/IdentityArrayMap;->set(Ljava/lang/Object;Ljava/lang/Object;)V Landroidx/compose/runtime/collection/IdentityArraySet; +HSPLandroidx/compose/runtime/collection/IdentityArraySet;->()V HPLandroidx/compose/runtime/collection/IdentityArraySet;->()V -HPLandroidx/compose/runtime/collection/IdentityArraySet;->access$setSize$p(Landroidx/compose/runtime/collection/IdentityArraySet;I)V HPLandroidx/compose/runtime/collection/IdentityArraySet;->add(Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityArraySet;->addAll(Ljava/util/Collection;)V HPLandroidx/compose/runtime/collection/IdentityArraySet;->clear()V -HPLandroidx/compose/runtime/collection/IdentityArraySet;->contains(Ljava/lang/Object;)Z +PLandroidx/compose/runtime/collection/IdentityArraySet;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->find(Ljava/lang/Object;)I HPLandroidx/compose/runtime/collection/IdentityArraySet;->getSize()I HPLandroidx/compose/runtime/collection/IdentityArraySet;->getValues()[Ljava/lang/Object; HPLandroidx/compose/runtime/collection/IdentityArraySet;->isEmpty()Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->isNotEmpty()Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->iterator()Ljava/util/Iterator; -HPLandroidx/compose/runtime/collection/IdentityArraySet;->remove(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/IdentityArraySet;->size()I Landroidx/compose/runtime/collection/IdentityArraySet$iterator$1; HPLandroidx/compose/runtime/collection/IdentityArraySet$iterator$1;->(Landroidx/compose/runtime/collection/IdentityArraySet;)V HPLandroidx/compose/runtime/collection/IdentityArraySet$iterator$1;->hasNext()Z HPLandroidx/compose/runtime/collection/IdentityArraySet$iterator$1;->next()Ljava/lang/Object; -Landroidx/compose/runtime/collection/IdentityScopeMap; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->()V -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->access$find(Landroidx/compose/runtime/collection/IdentityScopeMap;Ljava/lang/Object;)I -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->access$scopeSetAt(Landroidx/compose/runtime/collection/IdentityScopeMap;I)Landroidx/compose/runtime/collection/IdentityArraySet; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->clear()V -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->contains(Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->find(Ljava/lang/Object;)I -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->getOrCreateIdentitySet(Ljava/lang/Object;)Landroidx/compose/runtime/collection/IdentityArraySet; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->getScopeSets()[Landroidx/compose/runtime/collection/IdentityArraySet; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->getSize()I -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->getValueOrder()[I -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->getValues()[Ljava/lang/Object; -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->removeScope(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/collection/IdentityScopeMap;->scopeSetAt(I)Landroidx/compose/runtime/collection/IdentityArraySet; -HSPLandroidx/compose/runtime/collection/IdentityScopeMap;->setSize(I)V -Landroidx/compose/runtime/collection/IntMap; -HPLandroidx/compose/runtime/collection/IntMap;->(I)V -HSPLandroidx/compose/runtime/collection/IntMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/runtime/collection/IntMap;->(Landroid/util/SparseArray;)V -HPLandroidx/compose/runtime/collection/IntMap;->clear()V -HPLandroidx/compose/runtime/collection/IntMap;->get(I)Ljava/lang/Object; Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/runtime/collection/MutableVector;->()V HPLandroidx/compose/runtime/collection/MutableVector;->([Ljava/lang/Object;I)V HPLandroidx/compose/runtime/collection/MutableVector;->add(ILjava/lang/Object;)V +HPLandroidx/compose/runtime/collection/MutableVector;->add(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/MutableVector;->addAll(ILandroidx/compose/runtime/collection/MutableVector;)Z HPLandroidx/compose/runtime/collection/MutableVector;->asMutableList()Ljava/util/List; HPLandroidx/compose/runtime/collection/MutableVector;->clear()V @@ -5112,22 +5759,26 @@ HPLandroidx/compose/runtime/collection/MutableVector;->remove(Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector;->removeAt(I)Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector;->removeRange(II)V HSPLandroidx/compose/runtime/collection/MutableVector;->set(ILjava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/collection/MutableVector;->setSize(I)V HPLandroidx/compose/runtime/collection/MutableVector;->sortWith(Ljava/util/Comparator;)V Landroidx/compose/runtime/collection/MutableVector$MutableVectorList; HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->(Landroidx/compose/runtime/collection/MutableVector;)V HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->get(I)Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->getSize()I -HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->indexOf(Ljava/lang/Object;)I +PLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->indexOf(Ljava/lang/Object;)I HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->isEmpty()Z -HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->iterator()Ljava/util/Iterator; HPLandroidx/compose/runtime/collection/MutableVector$MutableVectorList;->size()I -Landroidx/compose/runtime/collection/MutableVector$VectorListIterator; -HPLandroidx/compose/runtime/collection/MutableVector$VectorListIterator;->(Ljava/util/List;I)V -HPLandroidx/compose/runtime/collection/MutableVector$VectorListIterator;->hasNext()Z -HPLandroidx/compose/runtime/collection/MutableVector$VectorListIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/collection/MutableVectorKt; HPLandroidx/compose/runtime/collection/MutableVectorKt;->access$checkIndex(Ljava/util/List;I)V HPLandroidx/compose/runtime/collection/MutableVectorKt;->checkIndex(Ljava/util/List;I)V +Landroidx/compose/runtime/collection/ScopeMap; +HSPLandroidx/compose/runtime/collection/ScopeMap;->()V +HPLandroidx/compose/runtime/collection/ScopeMap;->()V +HPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V +HPLandroidx/compose/runtime/collection/ScopeMap;->contains(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/collection/ScopeMap;->getMap()Landroidx/collection/MutableScatterMap; +HPLandroidx/compose/runtime/collection/ScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/collection/ScopeMap;->removeScope(Ljava/lang/Object;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/ExtensionsKt; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/ExtensionsKt;->persistentHashMapOf()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/ExtensionsKt;->persistentListOf()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; @@ -5143,16 +5794,19 @@ Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList$ Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap$Builder; Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentSet; +PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->()V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->(II)V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getIndex()I PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->hasNext()Z PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->setIndex(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->contains(Ljava/lang/Object;)Z PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->iterator()Ljava/util/Iterator; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->listIterator()Ljava/util/ListIterator; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->remove(Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; +PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->()V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->([Ljava/lang/Object;II)V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; @@ -5175,7 +5829,8 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/UtilsKt; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/UtilsKt;->persistentVectorOf()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->(Ljava/lang/Object;Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->()V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->getKey()Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/MapEntry;->getValue()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -5185,9 +5840,9 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap$Builder; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->containsKey(Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getNode$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getSize()I HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -5197,13 +5852,15 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap$Companion;->emptyOf$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;[Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->checkHasNext()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->ensureNextEntryIsReady()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->hasNext()Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->moveToNextNodeWithData(I)I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->moveToNextNodeWithData(I)I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBaseIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->build()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->build()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -5215,34 +5872,37 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->putAll(Ljava/util/Map;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->remove(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setModCount$runtime_release(I)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setOperationResult$runtime_release(Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setOperationResult$runtime_release(Ljava/lang/Object;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setOwnership(Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;->setSize(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->getSize()I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->()V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->getSize()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntries;->iterator()Ljava/util/Iterator; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator;->()V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapEntriesIterator;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asInsertResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; -PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asUpdateResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->bufferMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)[Ljava/lang/Object; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asInsertResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->asUpdateResult()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->bufferMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->elementsIdentityEquals(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$runtime_release(I)I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->getBuffer$runtime_release()[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$runtime_release(I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->makeNode(ILjava/lang/Object;Ljava/lang/Object;ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->moveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -5252,29 +5912,34 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableUpdateValueAtIndex(ILjava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->nodeAtIndex$runtime_release(I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->nodeIndex$runtime_release(I)I -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->put(ILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->put(ILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->remove(ILjava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->removeEntryAtIndex(II)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->updateValueAtIndex(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->updateNodeAtIndex(IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->updateValueAtIndex(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->valueAtKeyIndex(I)Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$Companion;->getEMPTY$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->()V +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->getBuffer()[Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->getIndex()I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->hasNextKey()Z +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->hasNextKey()Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->hasNextNode()Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;I)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;II)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;I)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->reset([Ljava/lang/Object;II)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->setIndex(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->next()Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeEntriesIterator;->next()Ljava/util/Map$Entry; @@ -5287,6 +5952,7 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->removeEntryAtIndex([Ljava/lang/Object;I)[Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->replaceEntryWithNode([Ljava/lang/Object;IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)[Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->(Ljava/lang/Object;Ljava/lang/Object;)V @@ -5310,10 +5976,11 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/CommonFunctionsKt; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/CommonFunctionsKt;->assert(Z)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->(I)V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->getCount()I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->setCount(I)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/DeltaCounter;->setCount(I)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/EndOfChain; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/EndOfChain;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/EndOfChain;->()V @@ -5323,11 +5990,13 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/Lis HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/ListImplementation;->checkElementIndex$runtime_release(II)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/ListImplementation;->checkPositionIndex$runtime_release(II)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;->()V Landroidx/compose/runtime/internal/ComposableLambda; Landroidx/compose/runtime/internal/ComposableLambdaImpl; -HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->(IZ)V -HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->()V +HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->(IZLjava/lang/Object;)V +HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; @@ -5349,6 +6018,12 @@ HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->composableLambdaInstan HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->differentBits(I)I HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->replacableWith(Landroidx/compose/runtime/RecomposeScope;Landroidx/compose/runtime/RecomposeScope;)Z HPLandroidx/compose/runtime/internal/ComposableLambdaKt;->sameBits(I)I +Landroidx/compose/runtime/internal/IntRef; +HSPLandroidx/compose/runtime/internal/IntRef;->()V +HSPLandroidx/compose/runtime/internal/IntRef;->(I)V +HSPLandroidx/compose/runtime/internal/IntRef;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/runtime/internal/IntRef;->getElement()I +HPLandroidx/compose/runtime/internal/IntRef;->setElement(I)V Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap; HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->()V HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V @@ -5360,6 +6035,7 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->contain HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->putValue(Landroidx/compose/runtime/CompositionLocal;Landroidx/compose/runtime/State;)Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder; HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder;->()V HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder;->(Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;)V @@ -5372,38 +6048,47 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Companion Landroidx/compose/runtime/internal/PersistentCompositionLocalMapKt; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalMapKt;->persistentCompositionLocalHashMapOf()Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap; Landroidx/compose/runtime/internal/ThreadMap; +HSPLandroidx/compose/runtime/internal/ThreadMap;->()V HSPLandroidx/compose/runtime/internal/ThreadMap;->(I[J[Ljava/lang/Object;)V -HPLandroidx/compose/runtime/internal/ThreadMap;->find(J)I -HPLandroidx/compose/runtime/internal/ThreadMap;->get(J)Ljava/lang/Object; -HSPLandroidx/compose/runtime/internal/ThreadMap;->newWith(JLjava/lang/Object;)Landroidx/compose/runtime/internal/ThreadMap; -HPLandroidx/compose/runtime/internal/ThreadMap;->trySet(JLjava/lang/Object;)Z -Landroidx/compose/runtime/internal/ThreadMapKt; -HSPLandroidx/compose/runtime/internal/ThreadMapKt;->()V -HSPLandroidx/compose/runtime/internal/ThreadMapKt;->getEmptyThreadMap()Landroidx/compose/runtime/internal/ThreadMap; +Landroidx/compose/runtime/internal/ThreadMap_jvmKt; +HSPLandroidx/compose/runtime/internal/ThreadMap_jvmKt;->()V +HSPLandroidx/compose/runtime/internal/ThreadMap_jvmKt;->getEmptyThreadMap()Landroidx/compose/runtime/internal/ThreadMap; Landroidx/compose/runtime/saveable/ListSaverKt; HSPLandroidx/compose/runtime/saveable/ListSaverKt;->listSaver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/ListSaverKt$listSaver$1; HSPLandroidx/compose/runtime/saveable/ListSaverKt$listSaver$1;->(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/saveable/ListSaverKt$listSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/saveable/ListSaverKt$listSaver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/saveable/MapSaverKt; +HSPLandroidx/compose/runtime/saveable/MapSaverKt;->mapSaver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; +Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/util/List; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/runtime/saveable/RememberSaveableKt; HSPLandroidx/compose/runtime/saveable/RememberSaveableKt;->()V HSPLandroidx/compose/runtime/saveable/RememberSaveableKt;->access$requireCanBeSaved(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/Object;)V HPLandroidx/compose/runtime/saveable/RememberSaveableKt;->rememberSaveable([Ljava/lang/Object;Landroidx/compose/runtime/saveable/Saver;Ljava/lang/String;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)Ljava/lang/Object; HSPLandroidx/compose/runtime/saveable/RememberSaveableKt;->requireCanBeSaved(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/Object;)V Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1; -HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;)V -HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry;)V -PLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$invoke$$inlined$onDispose$1;->dispose()V -Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1;->(Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1;->invoke()Ljava/lang/Object; -Landroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1$1$1; -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1$1$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V -HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1$valueProvider$1$1$1;->canBeSaved(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->(Landroidx/compose/runtime/saveable/SaveableHolder;Landroidx/compose/runtime/saveable/Saver;Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/saveable/RememberSaveableKt$rememberSaveable$1;->invoke()V +Landroidx/compose/runtime/saveable/SaveableHolder; +HPLandroidx/compose/runtime/saveable/SaveableHolder;->(Landroidx/compose/runtime/saveable/Saver;Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->access$getSaver$p(Landroidx/compose/runtime/saveable/SaveableHolder;)Landroidx/compose/runtime/saveable/Saver; +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->access$getValue$p(Landroidx/compose/runtime/saveable/SaveableHolder;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->canBeSaved(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/saveable/SaveableHolder;->getValueIfInputsDidntChange([Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/runtime/saveable/SaveableHolder;->onForgotten()V +HSPLandroidx/compose/runtime/saveable/SaveableHolder;->onRemembered()V +HPLandroidx/compose/runtime/saveable/SaveableHolder;->register()V +HPLandroidx/compose/runtime/saveable/SaveableHolder;->update(Landroidx/compose/runtime/saveable/Saver;Landroidx/compose/runtime/saveable/SaveableStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +Landroidx/compose/runtime/saveable/SaveableHolder$valueProvider$1; +HSPLandroidx/compose/runtime/saveable/SaveableHolder$valueProvider$1;->(Landroidx/compose/runtime/saveable/SaveableHolder;)V +HPLandroidx/compose/runtime/saveable/SaveableHolder$valueProvider$1;->invoke()Ljava/lang/Object; PLandroidx/compose/runtime/saveable/SaveableStateHolderImpl;->()V PLandroidx/compose/runtime/saveable/SaveableStateHolderImpl;->(Ljava/util/Map;)V PLandroidx/compose/runtime/saveable/SaveableStateHolderImpl;->(Ljava/util/Map;ILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -5450,7 +6135,7 @@ HPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl;->performSave()Lj HPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; Landroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3;->(Landroidx/compose/runtime/saveable/SaveableStateRegistryImpl;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V -HPLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3;->unregister()V +PLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3;->unregister()V Landroidx/compose/runtime/saveable/SaveableStateRegistryKt; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->()V HPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->SaveableStateRegistry(Ljava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/SaveableStateRegistry; @@ -5473,14 +6158,19 @@ HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$2;->()V HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$2;->()V Landroidx/compose/runtime/saveable/SaverKt$Saver$1; HSPLandroidx/compose/runtime/saveable/SaverKt$Saver$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/runtime/saveable/SaverKt$Saver$1;->save(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/saveable/SaverKt$Saver$1;->save(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/saveable/SaverScope; Landroidx/compose/runtime/snapshots/GlobalSnapshot; +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->()V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->notifyObjectsInitialized$runtime_release()V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->takeNestedMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot;->takeNestedSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; +Landroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1; +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1;->(Ljava/util/List;)V +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/snapshots/GlobalSnapshot$1$1$1;->invoke(Ljava/lang/Object;)V Landroidx/compose/runtime/snapshots/GlobalSnapshot$takeNestedMutableSnapshot$1; HPLandroidx/compose/runtime/snapshots/GlobalSnapshot$takeNestedMutableSnapshot$1;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/GlobalSnapshot$takeNestedMutableSnapshot$1;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/MutableSnapshot; @@ -5493,7 +6183,6 @@ Landroidx/compose/runtime/snapshots/ListUtilsKt; PLandroidx/compose/runtime/snapshots/ListUtilsKt;->fastToSet(Ljava/util/List;)Ljava/util/Set; Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->()V -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->advance$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->closeLocked$runtime_release()V @@ -5501,47 +6190,45 @@ HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->dispose()V HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getApplied$runtime_release()Z HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getModified$runtime_release()Landroidx/compose/runtime/collection/IdentityArraySet; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getPreviousIds$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getPreviousPinnedSnapshots$runtime_release()[I HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteObserver$runtime_release()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->innerApplyLocked$runtime_release(ILjava/util/Map;Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotApplyResult; -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->nestedActivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V +PLandroidx/compose/runtime/snapshots/MutableSnapshot;->nestedActivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->nestedDeactivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->notifyObjectsInitialized$runtime_release()V +HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->notifyObjectsInitialized$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordModified$runtime_release(Landroidx/compose/runtime/snapshots/StateObject;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPrevious$runtime_release(I)V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPreviousList$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPreviousPinnedSnapshot$runtime_release(I)V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->recordPreviousPinnedSnapshots$runtime_release([I)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->releasePreviouslyPinnedSnapshotsLocked()V -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->setApplied$runtime_release(Z)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->setModified(Landroidx/compose/runtime/collection/IdentityArraySet;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->setWriteCount$runtime_release(I)V -HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->takeNestedMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->takeNestedSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->validateNotAppliedOrPinned()V +PLandroidx/compose/runtime/snapshots/MutableSnapshot;->validateNotAppliedOrPinned()V Landroidx/compose/runtime/snapshots/MutableSnapshot$Companion; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot$Companion;->()V HSPLandroidx/compose/runtime/snapshots/MutableSnapshot$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/runtime/snapshots/NestedMutableSnapshot; -HPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/snapshots/MutableSnapshot;)V -HPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; -HSPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->deactivate()V -HSPLandroidx/compose/runtime/snapshots/NestedMutableSnapshot;->dispose()V +PLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->()V HPLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/snapshots/Snapshot;)V HPLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->dispose()V PLandroidx/compose/runtime/snapshots/NestedReadonlySnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; Landroidx/compose/runtime/snapshots/ObserverHandle; +Landroidx/compose/runtime/snapshots/ReaderKind; +HSPLandroidx/compose/runtime/snapshots/ReaderKind;->()V +HPLandroidx/compose/runtime/snapshots/ReaderKind;->constructor-impl(I)I +Landroidx/compose/runtime/snapshots/ReaderKind$Companion; +HSPLandroidx/compose/runtime/snapshots/ReaderKind$Companion;->()V +HSPLandroidx/compose/runtime/snapshots/ReaderKind$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/runtime/snapshots/ReadonlySnapshot; +HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->()V HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->dispose()V HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/runtime/snapshots/ReadonlySnapshot;->nestedDeactivated$runtime_release(Landroidx/compose/runtime/snapshots/Snapshot;)V Landroidx/compose/runtime/snapshots/Snapshot; HSPLandroidx/compose/runtime/snapshots/Snapshot;->()V +HPLandroidx/compose/runtime/snapshots/Snapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/Snapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/Snapshot;->closeAndReleasePinning$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->closeLocked$runtime_release()V @@ -5549,31 +6236,33 @@ HPLandroidx/compose/runtime/snapshots/Snapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/Snapshot;->getDisposed$runtime_release()Z HPLandroidx/compose/runtime/snapshots/Snapshot;->getId()I HPLandroidx/compose/runtime/snapshots/Snapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HPLandroidx/compose/runtime/snapshots/Snapshot;->makeCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->restoreCurrent(Landroidx/compose/runtime/snapshots/Snapshot;)V HPLandroidx/compose/runtime/snapshots/Snapshot;->setDisposed$runtime_release(Z)V HSPLandroidx/compose/runtime/snapshots/Snapshot;->setId$runtime_release(I)V -HPLandroidx/compose/runtime/snapshots/Snapshot;->setInvalid$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V -HSPLandroidx/compose/runtime/snapshots/Snapshot;->takeoverPinnedSnapshot$runtime_release()I -HSPLandroidx/compose/runtime/snapshots/Snapshot;->validateNotDisposed$runtime_release()V +HSPLandroidx/compose/runtime/snapshots/Snapshot;->setInvalid$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V +PLandroidx/compose/runtime/snapshots/Snapshot;->validateNotDisposed$runtime_release()V Landroidx/compose/runtime/snapshots/Snapshot$Companion; +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->$r8$lambda$jS7BU8l_ZXLY3K3v0EKVcok6S0g(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->()V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->createNonObservableSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->getCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->notifyObjectsInitialized()V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->observe(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver$lambda$6(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver(Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/snapshots/ObserverHandle; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerGlobalWriteObserver(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/ObserverHandle; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->sendApplyNotifications()V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; -Landroidx/compose/runtime/snapshots/Snapshot$Companion$registerApplyObserver$2; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$registerApplyObserver$2;->(Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$registerApplyObserver$2;->dispose()V -Landroidx/compose/runtime/snapshots/Snapshot$Companion$registerGlobalWriteObserver$2; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$registerGlobalWriteObserver$2;->(Lkotlin/jvm/functions/Function1;)V +Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0; +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->dispose()V +Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1; +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult;->()V @@ -5583,6 +6272,7 @@ Landroidx/compose/runtime/snapshots/SnapshotApplyResult$Success; HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult$Success;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotApplyResult$Success;->()V Landroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap; +HSPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->()V HPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->add(I)I HPLandroidx/compose/runtime/snapshots/SnapshotDoubleIndexHeap;->allocateHandle()I @@ -5637,12 +6327,14 @@ HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$mergedWriteObserver(Lk HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$optimisticMerges(Landroidx/compose/runtime/snapshots/MutableSnapshot;Landroidx/compose/runtime/snapshots/MutableSnapshot;Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Ljava/util/Map; HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$processForUnusedRecordsLocked(Landroidx/compose/runtime/snapshots/StateObject;)V HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$readable(Landroidx/compose/runtime/snapshots/StateRecord;ILandroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setApplyObservers$p(Ljava/util/List;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setGlobalWriteObservers$p(Ljava/util/List;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setNextSnapshotId$p(I)V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$setOpenSnapshots$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$takeNewGlobalSnapshot(Landroidx/compose/runtime/snapshots/Snapshot;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$takeNewSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->access$validateOpen(Landroidx/compose/runtime/snapshots/Snapshot;)V -HPLandroidx/compose/runtime/snapshots/SnapshotKt;->addRange(Landroidx/compose/runtime/snapshots/SnapshotIdSet;II)Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HSPLandroidx/compose/runtime/snapshots/SnapshotKt;->addRange(Landroidx/compose/runtime/snapshots/SnapshotIdSet;II)Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->advanceGlobalSnapshot()V HPLandroidx/compose/runtime/snapshots/SnapshotKt;->advanceGlobalSnapshot(Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotKt;->checkAndOverwriteUnusedRecordsLocked()V @@ -5678,12 +6370,12 @@ HPLandroidx/compose/runtime/snapshots/SnapshotKt;->writableRecord(Landroidx/comp Landroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3; HSPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt$advanceGlobalSnapshot$3;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1; HSPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->invoke(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V HPLandroidx/compose/runtime/snapshots/SnapshotKt$emptyLambda$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotKt$mergedReadObserver$1; HPLandroidx/compose/runtime/snapshots/SnapshotKt$mergedReadObserver$1;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V @@ -5715,23 +6407,26 @@ HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->addAll(Ljava/util/Col HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->contains(Ljava/lang/Object;)Z HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->get(I)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getModification$runtime_release()I HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getReadable$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getSize()I -PLandroidx/compose/runtime/snapshots/SnapshotStateList;->isEmpty()Z -HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->iterator()Ljava/util/Iterator; -HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->listIterator()Ljava/util/ListIterator; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->getStructure$runtime_release()I +HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->isEmpty()Z +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->iterator()Ljava/util/Iterator; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->listIterator()Ljava/util/ListIterator; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->set(ILjava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I +HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I Landroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->()V HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getList$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; -HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getModification$runtime_release()I -HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setList$runtime_release(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getModification$runtime_release()I +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->getStructuralChange$runtime_release()I +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setList$runtime_release(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setModification$runtime_release(I)V +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->setStructuralChange$runtime_release(I)V Landroidx/compose/runtime/snapshots/SnapshotStateList$addAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateList$retainAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateListKt; @@ -5741,20 +6436,17 @@ HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$validateRang HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->validateRange(II)V Landroidx/compose/runtime/snapshots/SnapshotStateMap; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->()V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->()V +HPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getReadable$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->getSize()I -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap;->size()I Landroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->getMap$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->getModification$runtime_release()I -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->setMap$runtime_release(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentMap;)V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateMap$StateMapStateRecord;->setModification$runtime_release(I)V Landroidx/compose/runtime/snapshots/SnapshotStateMapKt; HSPLandroidx/compose/runtime/snapshots/SnapshotStateMapKt;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateMapKt;->access$getSync$p()Ljava/lang/Object; @@ -5770,9 +6462,9 @@ HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$isPaused$p( HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$sendNotifications(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$setSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;Z)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->addChanges(Ljava/util/Set;)V -HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear()V +HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear(Ljava/lang/Object;)V -PLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clearIf(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clearIf(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->drainChanges()Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->ensureMap(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->observeReads(Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V @@ -5784,15 +6476,15 @@ Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->access$getDeriveStateScopeCount$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;)I HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->access$setDeriveStateScopeCount$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;I)V -HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->clear()V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->clearObsoleteStateReads(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->clearScopeObservations(Ljava/lang/Object;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->getOnChanged()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->hasScopeObservations()Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->notifyInvalidatedScopes()V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->observe(Ljava/lang/Object;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordInvalidation(Ljava/util/Set;)Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordRead(Ljava/lang/Object;)V -HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordRead(Ljava/lang/Object;ILjava/lang/Object;Landroidx/compose/runtime/collection/IdentityArrayIntMap;)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->recordRead(Ljava/lang/Object;ILjava/lang/Object;Landroidx/collection/MutableObjectIntMap;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->removeObservation(Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap;->removeScopeIf(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap$derivedStateObserver$1; @@ -5812,14 +6504,20 @@ HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$sendNotifications$1; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$sendNotifications$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver$sendNotifications$1;->invoke()V Landroidx/compose/runtime/snapshots/SnapshotWeakSet; +HSPLandroidx/compose/runtime/snapshots/SnapshotWeakSet;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotWeakSet;->()V HPLandroidx/compose/runtime/snapshots/SnapshotWeakSet;->getSize$runtime_release()I Landroidx/compose/runtime/snapshots/StateListIterator; HPLandroidx/compose/runtime/snapshots/StateListIterator;->(Landroidx/compose/runtime/snapshots/SnapshotStateList;I)V -HPLandroidx/compose/runtime/snapshots/StateListIterator;->hasNext()Z +HSPLandroidx/compose/runtime/snapshots/StateListIterator;->hasNext()Z HPLandroidx/compose/runtime/snapshots/StateListIterator;->next()Ljava/lang/Object; -HPLandroidx/compose/runtime/snapshots/StateListIterator;->validateModification()V +HSPLandroidx/compose/runtime/snapshots/StateListIterator;->validateModification()V Landroidx/compose/runtime/snapshots/StateObject; +Landroidx/compose/runtime/snapshots/StateObjectImpl; +HSPLandroidx/compose/runtime/snapshots/StateObjectImpl;->()V +HPLandroidx/compose/runtime/snapshots/StateObjectImpl;->()V +HPLandroidx/compose/runtime/snapshots/StateObjectImpl;->isReadIn-h_f27i8$runtime_release(I)Z +HPLandroidx/compose/runtime/snapshots/StateObjectImpl;->recordReadIn-h_f27i8$runtime_release(I)V Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/snapshots/StateRecord;->()V HPLandroidx/compose/runtime/snapshots/StateRecord;->()V @@ -5829,6 +6527,7 @@ HPLandroidx/compose/runtime/snapshots/StateRecord;->setNext$runtime_release(Land HPLandroidx/compose/runtime/snapshots/StateRecord;->setSnapshotId$runtime_release(I)V Landroidx/compose/runtime/snapshots/SubList; Landroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot; +HSPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->()V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->(Landroidx/compose/runtime/snapshots/MutableSnapshot;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;ZZ)V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->dispose()V @@ -5842,6 +6541,7 @@ HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->recor HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->setWriteCount$runtime_release(I)V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->takeNestedMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->takeNestedSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; +PLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->()V HPLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->(Landroidx/compose/runtime/snapshots/Snapshot;Lkotlin/jvm/functions/Function1;ZZ)V HPLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->dispose()V PLandroidx/compose/runtime/snapshots/TransparentObserverSnapshot;->getCurrentSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; @@ -5857,8 +6557,8 @@ HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1; HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1;->()V HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1;->invoke()Ljava/lang/Object; HSPLandroidx/compose/runtime/tooling/InspectionTablesKt$LocalInspectionTables$1;->invoke()Ljava/util/Set; -Landroidx/compose/ui/ActualKt; -HPLandroidx/compose/ui/ActualKt;->areObjectsOfSameType(Ljava/lang/Object;Ljava/lang/Object;)Z +Landroidx/compose/ui/Actual_jvmKt; +HSPLandroidx/compose/ui/Actual_jvmKt;->areObjectsOfSameType(Ljava/lang/Object;Ljava/lang/Object;)Z Landroidx/compose/ui/Alignment; HSPLandroidx/compose/ui/Alignment;->()V Landroidx/compose/ui/Alignment$Companion; @@ -5867,7 +6567,7 @@ HSPLandroidx/compose/ui/Alignment$Companion;->()V HSPLandroidx/compose/ui/Alignment$Companion;->getCenter()Landroidx/compose/ui/Alignment; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterHorizontally()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterVertically()Landroidx/compose/ui/Alignment$Vertical; -HPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; +HSPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getTop()Landroidx/compose/ui/Alignment$Vertical; PLandroidx/compose/ui/Alignment$Companion;->getTopCenter()Landroidx/compose/ui/Alignment; HPLandroidx/compose/ui/Alignment$Companion;->getTopStart()Landroidx/compose/ui/Alignment; @@ -5900,10 +6600,8 @@ Landroidx/compose/ui/ComposedModifier; HPLandroidx/compose/ui/ComposedModifier;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/ui/ComposedModifier;->getFactory()Lkotlin/jvm/functions/Function3; Landroidx/compose/ui/ComposedModifierKt; -HSPLandroidx/compose/ui/ComposedModifierKt;->composed$default(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function3;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/ComposedModifierKt;->composed(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function3;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/ComposedModifierKt;->materializeModifier(Landroidx/compose/runtime/Composer;Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/ComposedModifierKt;->materializeWithCompositionLocalInjectionInternal(Landroidx/compose/runtime/Composer;Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/ComposedModifierKt$materialize$1; HSPLandroidx/compose/ui/ComposedModifierKt$materialize$1;->()V HSPLandroidx/compose/ui/ComposedModifierKt$materialize$1;->()V @@ -5913,22 +6611,14 @@ Landroidx/compose/ui/ComposedModifierKt$materialize$result$1; HPLandroidx/compose/ui/ComposedModifierKt$materialize$result$1;->(Landroidx/compose/runtime/Composer;)V HPLandroidx/compose/ui/ComposedModifierKt$materialize$result$1;->invoke(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/Modifier$Element;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/ComposedModifierKt$materialize$result$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/CompositionLocalMapInjectionElement; -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->(Landroidx/compose/runtime/CompositionLocalMap;)V -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->create()Landroidx/compose/ui/CompositionLocalMapInjectionNode; -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->create()Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/CompositionLocalMapInjectionElement;->equals(Ljava/lang/Object;)Z -Landroidx/compose/ui/CompositionLocalMapInjectionNode; -HPLandroidx/compose/ui/CompositionLocalMapInjectionNode;->(Landroidx/compose/runtime/CompositionLocalMap;)V -HPLandroidx/compose/ui/CompositionLocalMapInjectionNode;->onAttach()V Landroidx/compose/ui/Modifier; HSPLandroidx/compose/ui/Modifier;->()V HPLandroidx/compose/ui/Modifier;->then(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/Modifier$Companion; HSPLandroidx/compose/ui/Modifier$Companion;->()V HSPLandroidx/compose/ui/Modifier$Companion;->()V -HPLandroidx/compose/ui/Modifier$Companion;->all(Lkotlin/jvm/functions/Function1;)Z -HPLandroidx/compose/ui/Modifier$Companion;->then(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/Modifier$Companion;->all(Lkotlin/jvm/functions/Function1;)Z +HSPLandroidx/compose/ui/Modifier$Companion;->then(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/Modifier$Element; HPLandroidx/compose/ui/Modifier$Element;->all(Lkotlin/jvm/functions/Function1;)Z HPLandroidx/compose/ui/Modifier$Element;->foldIn(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; @@ -5942,23 +6632,25 @@ HPLandroidx/compose/ui/Modifier$Node;->getCoroutineScope()Lkotlinx/coroutines/Co HPLandroidx/compose/ui/Modifier$Node;->getInsertedNodeAwaitingAttachForInvalidation$ui_release()Z HPLandroidx/compose/ui/Modifier$Node;->getKindSet$ui_release()I HPLandroidx/compose/ui/Modifier$Node;->getNode()Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/ui/Modifier$Node;->getOwnerScope$ui_release()Landroidx/compose/ui/node/ObserverNodeOwnerScope; HPLandroidx/compose/ui/Modifier$Node;->getParent$ui_release()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/Modifier$Node;->getShouldAutoInvalidate()Z HPLandroidx/compose/ui/Modifier$Node;->getUpdatedNodeAwaitingAttachForInvalidation$ui_release()Z HPLandroidx/compose/ui/Modifier$Node;->isAttached()Z HPLandroidx/compose/ui/Modifier$Node;->markAsAttached$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->markAsDetached$ui_release()V -HSPLandroidx/compose/ui/Modifier$Node;->onAttach()V +HPLandroidx/compose/ui/Modifier$Node;->onAttach()V PLandroidx/compose/ui/Modifier$Node;->onDetach()V PLandroidx/compose/ui/Modifier$Node;->onReset()V PLandroidx/compose/ui/Modifier$Node;->reset$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runAttachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->setAggregateChildKindSet$ui_release(I)V -HPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V +HSPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setChild$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setInsertedNodeAwaitingAttachForInvalidation$ui_release(Z)V HPLandroidx/compose/ui/Modifier$Node;->setKindSet$ui_release(I)V +PLandroidx/compose/ui/Modifier$Node;->setOwnerScope$ui_release(Landroidx/compose/ui/node/ObserverNodeOwnerScope;)V HPLandroidx/compose/ui/Modifier$Node;->setParent$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setUpdatedNodeAwaitingAttachForInvalidation$ui_release(Z)V HSPLandroidx/compose/ui/Modifier$Node;->sideEffect(Lkotlin/jvm/functions/Function0;)V @@ -5976,7 +6668,11 @@ Landroidx/compose/ui/MotionDurationScale$Key; HSPLandroidx/compose/ui/MotionDurationScale$Key;->()V HSPLandroidx/compose/ui/MotionDurationScale$Key;->()V Landroidx/compose/ui/R$id; +Landroidx/compose/ui/SessionMutex; +HSPLandroidx/compose/ui/SessionMutex;->constructor-impl()Ljava/util/concurrent/atomic/AtomicReference; +HSPLandroidx/compose/ui/SessionMutex;->constructor-impl(Ljava/util/concurrent/atomic/AtomicReference;)Ljava/util/concurrent/atomic/AtomicReference; Landroidx/compose/ui/autofill/AndroidAutofill; +HSPLandroidx/compose/ui/autofill/AndroidAutofill;->()V HSPLandroidx/compose/ui/autofill/AndroidAutofill;->(Landroid/view/View;Landroidx/compose/ui/autofill/AutofillTree;)V HSPLandroidx/compose/ui/autofill/AndroidAutofill;->getAutofillManager()Landroid/view/autofill/AutofillManager; Landroidx/compose/ui/autofill/Autofill; @@ -5988,13 +6684,24 @@ PLandroidx/compose/ui/autofill/AutofillCallback;->unregister(Landroidx/compose/u Landroidx/compose/ui/autofill/AutofillTree; HSPLandroidx/compose/ui/autofill/AutofillTree;->()V HSPLandroidx/compose/ui/autofill/AutofillTree;->()V -Landroidx/compose/ui/draw/AlphaKt; -HSPLandroidx/compose/ui/draw/AlphaKt;->alpha(Landroidx/compose/ui/Modifier;F)Landroidx/compose/ui/Modifier; +Landroidx/compose/ui/draganddrop/DragAndDropManager; +Landroidx/compose/ui/draganddrop/DragAndDropModifierNode; +Landroidx/compose/ui/draganddrop/DragAndDropNode; +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode;->()V +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode;->(Lkotlin/jvm/functions/Function1;)V +Landroidx/compose/ui/draganddrop/DragAndDropNode$Companion; +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion;->()V +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/ui/draganddrop/DragAndDropNode$Companion$DragAndDropTraversableKey; +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion$DragAndDropTraversableKey;->()V +HSPLandroidx/compose/ui/draganddrop/DragAndDropNode$Companion$DragAndDropTraversableKey;->()V +Landroidx/compose/ui/draganddrop/DragAndDropTarget; Landroidx/compose/ui/draw/BuildDrawCacheParams; Landroidx/compose/ui/draw/ClipKt; -HPLandroidx/compose/ui/draw/ClipKt;->clip(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/draw/ClipKt;->clip(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/Shape;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/draw/DrawBackgroundModifier; +HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->()V HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/DrawBehindElement; @@ -6012,17 +6719,17 @@ PLandroidx/compose/ui/draw/DrawWithContentElement;->create()Landroidx/compose/ui PLandroidx/compose/ui/draw/DrawWithContentModifier;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/ui/draw/DrawWithContentModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/PainterElement; -HPLandroidx/compose/ui/draw/PainterElement;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/draw/PainterElement;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V HSPLandroidx/compose/ui/draw/PainterElement;->create()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/draw/PainterElement;->create()Landroidx/compose/ui/draw/PainterNode; Landroidx/compose/ui/draw/PainterModifierKt; HSPLandroidx/compose/ui/draw/PainterModifierKt;->paint$default(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/PainterModifierKt;->paint(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/draw/PainterModifierKt;->paint(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/draw/PainterNode; -HPLandroidx/compose/ui/draw/PainterNode;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/draw/PainterNode;->(Landroidx/compose/ui/graphics/painter/Painter;ZLandroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/draw/PainterNode;->calculateScaledSize-E7KxVPU(J)J HPLandroidx/compose/ui/draw/PainterNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HSPLandroidx/compose/ui/draw/PainterNode;->getUseIntrinsicSize()Z +HPLandroidx/compose/ui/draw/PainterNode;->getUseIntrinsicSize()Z HPLandroidx/compose/ui/draw/PainterNode;->hasSpecifiedAndFiniteHeight-uvyYCjk(J)Z HPLandroidx/compose/ui/draw/PainterNode;->hasSpecifiedAndFiniteWidth-uvyYCjk(J)Z HPLandroidx/compose/ui/draw/PainterNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; @@ -6031,11 +6738,10 @@ Landroidx/compose/ui/draw/PainterNode$measure$1; HSPLandroidx/compose/ui/draw/PainterNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V HSPLandroidx/compose/ui/draw/PainterNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/ui/draw/PainterNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/draw/ShadowKt; -HPLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII$default(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJ)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->(FLandroidx/compose/ui/graphics/Shape;ZJJ)V -HPLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +PLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII$default(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJILjava/lang/Object;)Landroidx/compose/ui/Modifier; +PLandroidx/compose/ui/draw/ShadowKt;->shadow-s4CzXII(Landroidx/compose/ui/Modifier;FLandroidx/compose/ui/graphics/Shape;ZJJ)Landroidx/compose/ui/Modifier; +PLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->(FLandroidx/compose/ui/graphics/Shape;ZJJ)V +PLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V PLandroidx/compose/ui/draw/ShadowKt$shadow$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/focus/FocusEventModifier; Landroidx/compose/ui/focus/FocusEventModifierNode; @@ -6046,11 +6752,12 @@ HPLandroidx/compose/ui/focus/FocusEventModifierNodeKt;->refreshFocusEventNodes(L Landroidx/compose/ui/focus/FocusEventModifierNodeKt$WhenMappings; HSPLandroidx/compose/ui/focus/FocusEventModifierNodeKt$WhenMappings;->()V Landroidx/compose/ui/focus/FocusInvalidationManager; +HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->()V HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusEventNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusPropertiesNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; -HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusTargetNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; -HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusTargetNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; +HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Ljava/util/Set;Ljava/lang/Object;)V @@ -6064,10 +6771,12 @@ HPLandroidx/compose/ui/focus/FocusModifierKt;->focusTarget(Landroidx/compose/ui/ Landroidx/compose/ui/focus/FocusOrderModifier; Landroidx/compose/ui/focus/FocusOwner; Landroidx/compose/ui/focus/FocusOwnerImpl; +HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->()V HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getFocusTransactionManager()Landroidx/compose/ui/focus/FocusTransactionManager; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getModifier()Landroidx/compose/ui/Modifier; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getRootFocusNode$ui_release()Landroidx/compose/ui/focus/FocusTargetNode; -HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -6076,15 +6785,9 @@ HSPLandroidx/compose/ui/focus/FocusOwnerImpl$modifier$1;->(Landroidx/compo HSPLandroidx/compose/ui/focus/FocusOwnerImpl$modifier$1;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/focus/FocusOwnerImpl$modifier$1;->create()Landroidx/compose/ui/focus/FocusTargetNode; Landroidx/compose/ui/focus/FocusProperties; -PLandroidx/compose/ui/focus/FocusPropertiesElement;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/focus/FocusPropertiesElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/ui/focus/FocusPropertiesElement;->create()Landroidx/compose/ui/focus/FocusPropertiesNode; -PLandroidx/compose/ui/focus/FocusPropertiesKt;->focusProperties(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/focus/FocusPropertiesModifierNode; Landroidx/compose/ui/focus/FocusPropertiesModifierNodeKt; HPLandroidx/compose/ui/focus/FocusPropertiesModifierNodeKt;->invalidateFocusProperties(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V -PLandroidx/compose/ui/focus/FocusPropertiesNode;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/focus/FocusPropertiesNode;->applyFocusProperties(Landroidx/compose/ui/focus/FocusProperties;)V Landroidx/compose/ui/focus/FocusRequesterModifier; Landroidx/compose/ui/focus/FocusRequesterModifierNode; Landroidx/compose/ui/focus/FocusState; @@ -6097,9 +6800,11 @@ HSPLandroidx/compose/ui/focus/FocusStateImpl;->values()[Landroidx/compose/ui/foc Landroidx/compose/ui/focus/FocusStateImpl$WhenMappings; HSPLandroidx/compose/ui/focus/FocusStateImpl$WhenMappings;->()V Landroidx/compose/ui/focus/FocusTargetModifierNode; +PLandroidx/compose/ui/focus/FocusTargetModifierNodeKt;->FocusTargetModifierNode()Landroidx/compose/ui/focus/FocusTargetModifierNode; Landroidx/compose/ui/focus/FocusTargetNode; +HSPLandroidx/compose/ui/focus/FocusTargetNode;->()V HPLandroidx/compose/ui/focus/FocusTargetNode;->()V -HSPLandroidx/compose/ui/focus/FocusTargetNode;->getFocusState()Landroidx/compose/ui/focus/FocusStateImpl; +HPLandroidx/compose/ui/focus/FocusTargetNode;->getFocusState()Landroidx/compose/ui/focus/FocusStateImpl; HPLandroidx/compose/ui/focus/FocusTargetNode;->invalidateFocus$ui_release()V PLandroidx/compose/ui/focus/FocusTargetNode;->onReset()V PLandroidx/compose/ui/focus/FocusTargetNode;->scheduleInvalidationForFocusEvents$ui_release()V @@ -6111,6 +6816,13 @@ HSPLandroidx/compose/ui/focus/FocusTargetNode$FocusTargetElement;->create()Landr HSPLandroidx/compose/ui/focus/FocusTargetNode$FocusTargetElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/focus/FocusTargetNode$WhenMappings; HSPLandroidx/compose/ui/focus/FocusTargetNode$WhenMappings;->()V +Landroidx/compose/ui/focus/FocusTargetNodeKt; +HPLandroidx/compose/ui/focus/FocusTargetNodeKt;->access$getFocusTransactionManager(Landroidx/compose/ui/focus/FocusTargetNode;)Landroidx/compose/ui/focus/FocusTransactionManager; +HPLandroidx/compose/ui/focus/FocusTargetNodeKt;->getFocusTransactionManager(Landroidx/compose/ui/focus/FocusTargetNode;)Landroidx/compose/ui/focus/FocusTransactionManager; +Landroidx/compose/ui/focus/FocusTransactionManager; +HSPLandroidx/compose/ui/focus/FocusTransactionManager;->()V +HSPLandroidx/compose/ui/focus/FocusTransactionManager;->()V +HPLandroidx/compose/ui/focus/FocusTransactionManager;->getUncommittedFocusState(Landroidx/compose/ui/focus/FocusTargetNode;)Landroidx/compose/ui/focus/FocusStateImpl; Landroidx/compose/ui/geometry/CornerRadius; HSPLandroidx/compose/ui/geometry/CornerRadius;->()V HSPLandroidx/compose/ui/geometry/CornerRadius;->access$getZero$cp()J @@ -6132,12 +6844,9 @@ HSPLandroidx/compose/ui/geometry/Offset;->access$getUnspecified$cp()J HPLandroidx/compose/ui/geometry/Offset;->access$getZero$cp()J HSPLandroidx/compose/ui/geometry/Offset;->box-impl(J)Landroidx/compose/ui/geometry/Offset; HSPLandroidx/compose/ui/geometry/Offset;->constructor-impl(J)J -HSPLandroidx/compose/ui/geometry/Offset;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/geometry/Offset;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/geometry/Offset;->getDistance-impl(J)F HPLandroidx/compose/ui/geometry/Offset;->getX-impl(J)F HPLandroidx/compose/ui/geometry/Offset;->getY-impl(J)F -HSPLandroidx/compose/ui/geometry/Offset;->unbox-impl()J Landroidx/compose/ui/geometry/Offset$Companion; HSPLandroidx/compose/ui/geometry/Offset$Companion;->()V HSPLandroidx/compose/ui/geometry/Offset$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6152,13 +6861,13 @@ HPLandroidx/compose/ui/geometry/Rect;->(FFFF)V HSPLandroidx/compose/ui/geometry/Rect;->access$getZero$cp()Landroidx/compose/ui/geometry/Rect; HPLandroidx/compose/ui/geometry/Rect;->getBottom()F PLandroidx/compose/ui/geometry/Rect;->getCenter-F1C5BW0()J -PLandroidx/compose/ui/geometry/Rect;->getHeight()F +HSPLandroidx/compose/ui/geometry/Rect;->getHeight()F HPLandroidx/compose/ui/geometry/Rect;->getLeft()F HPLandroidx/compose/ui/geometry/Rect;->getRight()F PLandroidx/compose/ui/geometry/Rect;->getSize-NH-jbRc()J HPLandroidx/compose/ui/geometry/Rect;->getTop()F PLandroidx/compose/ui/geometry/Rect;->getTopLeft-F1C5BW0()J -PLandroidx/compose/ui/geometry/Rect;->getWidth()F +HSPLandroidx/compose/ui/geometry/Rect;->getWidth()F Landroidx/compose/ui/geometry/Rect$Companion; HSPLandroidx/compose/ui/geometry/Rect$Companion;->()V HSPLandroidx/compose/ui/geometry/Rect$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6173,7 +6882,7 @@ HSPLandroidx/compose/ui/geometry/RoundRect;->getBottom()F HPLandroidx/compose/ui/geometry/RoundRect;->getBottomLeftCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getBottomRightCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getHeight()F -HPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F +HSPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F HSPLandroidx/compose/ui/geometry/RoundRect;->getRight()F HPLandroidx/compose/ui/geometry/RoundRect;->getTop()F HPLandroidx/compose/ui/geometry/RoundRect;->getTopLeftCornerRadius-kKHJgLs()J @@ -6216,33 +6925,34 @@ HPLandroidx/compose/ui/graphics/AndroidBlendMode_androidKt;->toAndroidBlendMode- Landroidx/compose/ui/graphics/AndroidCanvas; HPLandroidx/compose/ui/graphics/AndroidCanvas;->()V PLandroidx/compose/ui/graphics/AndroidCanvas;->clipRect-N_I0leg(FFFFI)V -HPLandroidx/compose/ui/graphics/AndroidCanvas;->concat-58bKbWc([F)V +HSPLandroidx/compose/ui/graphics/AndroidCanvas;->concat-58bKbWc([F)V PLandroidx/compose/ui/graphics/AndroidCanvas;->disableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawArc(FFFFFFZLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawImageRect-HPBpro0(Landroidx/compose/ui/graphics/ImageBitmap;JJJJLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawPath(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Paint;)V -HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V +HSPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRoundRect(FFFFFFLandroidx/compose/ui/graphics/Paint;)V PLandroidx/compose/ui/graphics/AndroidCanvas;->enableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->getInternalCanvas()Landroid/graphics/Canvas; HPLandroidx/compose/ui/graphics/AndroidCanvas;->restore()V PLandroidx/compose/ui/graphics/AndroidCanvas;->rotate(F)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->save()V +HSPLandroidx/compose/ui/graphics/AndroidCanvas;->scale(FF)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->setInternalCanvas(Landroid/graphics/Canvas;)V PLandroidx/compose/ui/graphics/AndroidCanvas;->toRegionOp--7u2Bmg(I)Landroid/graphics/Region$Op; HPLandroidx/compose/ui/graphics/AndroidCanvas;->translate(FF)V Landroidx/compose/ui/graphics/AndroidCanvas_androidKt; HSPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->()V -HPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->ActualCanvas(Landroidx/compose/ui/graphics/ImageBitmap;)Landroidx/compose/ui/graphics/Canvas; +HSPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->ActualCanvas(Landroidx/compose/ui/graphics/ImageBitmap;)Landroidx/compose/ui/graphics/Canvas; HPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->access$getEmptyCanvas$p()Landroid/graphics/Canvas; HPLandroidx/compose/ui/graphics/AndroidCanvas_androidKt;->getNativeCanvas(Landroidx/compose/ui/graphics/Canvas;)Landroid/graphics/Canvas; Landroidx/compose/ui/graphics/AndroidColorFilter_androidKt; -HSPLandroidx/compose/ui/graphics/AndroidColorFilter_androidKt;->actualTintColorFilter-xETnrds(JI)Landroidx/compose/ui/graphics/ColorFilter; +HPLandroidx/compose/ui/graphics/AndroidColorFilter_androidKt;->actualTintColorFilter-xETnrds(JI)Landroid/graphics/ColorFilter; HSPLandroidx/compose/ui/graphics/AndroidColorFilter_androidKt;->asAndroidColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)Landroid/graphics/ColorFilter; Landroidx/compose/ui/graphics/AndroidColorSpace_androidKt; HSPLandroidx/compose/ui/graphics/AndroidColorSpace_androidKt;->toAndroidColorSpace(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/ColorSpace; Landroidx/compose/ui/graphics/AndroidImageBitmap; -HPLandroidx/compose/ui/graphics/AndroidImageBitmap;->(Landroid/graphics/Bitmap;)V +HSPLandroidx/compose/ui/graphics/AndroidImageBitmap;->(Landroid/graphics/Bitmap;)V HSPLandroidx/compose/ui/graphics/AndroidImageBitmap;->getBitmap$ui_graphics_release()Landroid/graphics/Bitmap; PLandroidx/compose/ui/graphics/AndroidImageBitmap;->getHeight()I PLandroidx/compose/ui/graphics/AndroidImageBitmap;->getWidth()I @@ -6250,10 +6960,9 @@ HSPLandroidx/compose/ui/graphics/AndroidImageBitmap;->prepareToDraw()V Landroidx/compose/ui/graphics/AndroidImageBitmap_androidKt; HSPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->ActualImageBitmap-x__-hDU(IIIZLandroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroidx/compose/ui/graphics/ImageBitmap; HPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->asAndroidBitmap(Landroidx/compose/ui/graphics/ImageBitmap;)Landroid/graphics/Bitmap; -HPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->asImageBitmap(Landroid/graphics/Bitmap;)Landroidx/compose/ui/graphics/ImageBitmap; +PLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->asImageBitmap(Landroid/graphics/Bitmap;)Landroidx/compose/ui/graphics/ImageBitmap; HSPLandroidx/compose/ui/graphics/AndroidImageBitmap_androidKt;->toBitmapConfig-1JJdX4A(I)Landroid/graphics/Bitmap$Config; Landroidx/compose/ui/graphics/AndroidMatrixConversions_androidKt; -HSPLandroidx/compose/ui/graphics/AndroidMatrixConversions_androidKt;->setFrom-EL8BTi8(Landroid/graphics/Matrix;[F)V HSPLandroidx/compose/ui/graphics/AndroidMatrixConversions_androidKt;->setFrom-tU-YjHk([FLandroid/graphics/Matrix;)V Landroidx/compose/ui/graphics/AndroidPaint; HSPLandroidx/compose/ui/graphics/AndroidPaint;->()V @@ -6266,14 +6975,14 @@ HPLandroidx/compose/ui/graphics/AndroidPaint;->getColorFilter()Landroidx/compose HPLandroidx/compose/ui/graphics/AndroidPaint;->getFilterQuality-f-v9h1I()I HSPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; HPLandroidx/compose/ui/graphics/AndroidPaint;->getShader()Landroid/graphics/Shader; -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F -HSPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setBlendMode-s9anfk8(I)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setColor-8_81llA(J)V -HPLandroidx/compose/ui/graphics/AndroidPaint;->setColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/AndroidPaint;->setColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setShader(Landroid/graphics/Shader;)V HSPLandroidx/compose/ui/graphics/AndroidPaint;->setStrokeCap-BeK7IIE(I)V HSPLandroidx/compose/ui/graphics/AndroidPaint;->setStrokeWidth(F)V @@ -6281,18 +6990,18 @@ HPLandroidx/compose/ui/graphics/AndroidPaint;->setStyle-k9PVt8s(I)V Landroidx/compose/ui/graphics/AndroidPaint_androidKt; HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->Paint()Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->asComposePaint(Landroid/graphics/Paint;)Landroidx/compose/ui/graphics/Paint; -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeAlpha(Landroid/graphics/Paint;)F +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeAlpha(Landroid/graphics/Paint;)F HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeColor(Landroid/graphics/Paint;)J HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeFilterQuality(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeCap(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeJoin(Landroid/graphics/Paint;)I -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->makeNativePaint()Landroid/graphics/Paint; -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeBlendMode-GB0RdKg(Landroid/graphics/Paint;I)V +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeBlendMode-GB0RdKg(Landroid/graphics/Paint;I)V HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColor-4WTKRHQ(Landroid/graphics/Paint;J)V -HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColorFilter(Landroid/graphics/Paint;Landroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColorFilter(Landroid/graphics/Paint;Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeShader(Landroid/graphics/Paint;Landroid/graphics/Shader;)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeStrokeCap-CSYIeUk(Landroid/graphics/Paint;I)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeStrokeWidth(Landroid/graphics/Paint;F)V @@ -6300,7 +7009,7 @@ HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeStyle--5YerkU( Landroidx/compose/ui/graphics/AndroidPaint_androidKt$WhenMappings; HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt$WhenMappings;->()V Landroidx/compose/ui/graphics/AndroidPath; -HPLandroidx/compose/ui/graphics/AndroidPath;->(Landroid/graphics/Path;)V +HSPLandroidx/compose/ui/graphics/AndroidPath;->(Landroid/graphics/Path;)V HSPLandroidx/compose/ui/graphics/AndroidPath;->(Landroid/graphics/Path;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/AndroidPath;->close()V HSPLandroidx/compose/ui/graphics/AndroidPath;->cubicTo(FFFFFF)V @@ -6322,14 +7031,12 @@ HSPLandroidx/compose/ui/graphics/Api26Bitmap;->()V HSPLandroidx/compose/ui/graphics/Api26Bitmap;->createBitmap-x__-hDU$ui_graphics_release(IIIZLandroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/Bitmap; Landroidx/compose/ui/graphics/BlendMode; HSPLandroidx/compose/ui/graphics/BlendMode;->()V -HSPLandroidx/compose/ui/graphics/BlendMode;->(I)V HSPLandroidx/compose/ui/graphics/BlendMode;->access$getClear$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getDst$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getDstOver$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getSrc$cp()I HSPLandroidx/compose/ui/graphics/BlendMode;->access$getSrcIn$cp()I HPLandroidx/compose/ui/graphics/BlendMode;->access$getSrcOver$cp()I -HSPLandroidx/compose/ui/graphics/BlendMode;->box-impl(I)Landroidx/compose/ui/graphics/BlendMode; HSPLandroidx/compose/ui/graphics/BlendMode;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/BlendMode;->equals-impl0(II)Z Landroidx/compose/ui/graphics/BlendMode$Companion; @@ -6341,19 +7048,30 @@ HSPLandroidx/compose/ui/graphics/BlendMode$Companion;->getDstOver-0nO6VwU()I HSPLandroidx/compose/ui/graphics/BlendMode$Companion;->getSrc-0nO6VwU()I HSPLandroidx/compose/ui/graphics/BlendMode$Companion;->getSrcIn-0nO6VwU()I HPLandroidx/compose/ui/graphics/BlendMode$Companion;->getSrcOver-0nO6VwU()I +Landroidx/compose/ui/graphics/BlendModeColorFilter; +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JI)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JILandroid/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JILandroid/graphics/ColorFilter;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->(JILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/graphics/BlendModeColorFilter;->getBlendMode-0nO6VwU()I Landroidx/compose/ui/graphics/BlendModeColorFilterHelper; HSPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->()V HSPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->()V -HSPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->BlendModeColorFilter-xETnrds(JI)Landroid/graphics/BlendModeColorFilter; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->getLayerBlock()Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/ui/graphics/BlendModeColorFilterHelper;->BlendModeColorFilter-xETnrds(JI)Landroid/graphics/BlendModeColorFilter; +Landroidx/compose/ui/graphics/BlockGraphicsLayerElement; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->create()Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerElement;->equals(Ljava/lang/Object;)Z +Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->(Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->getLayerBlock()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -PLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V +Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1; +HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/Brush; HSPLandroidx/compose/ui/graphics/Brush;->()V HSPLandroidx/compose/ui/graphics/Brush;->()V @@ -6369,10 +7087,10 @@ Landroidx/compose/ui/graphics/CanvasKt; HSPLandroidx/compose/ui/graphics/CanvasKt;->Canvas(Landroidx/compose/ui/graphics/ImageBitmap;)Landroidx/compose/ui/graphics/Canvas; PLandroidx/compose/ui/graphics/CanvasUtils;->()V PLandroidx/compose/ui/graphics/CanvasUtils;->()V -HPLandroidx/compose/ui/graphics/CanvasUtils;->enableZ(Landroid/graphics/Canvas;Z)V +PLandroidx/compose/ui/graphics/CanvasUtils;->enableZ(Landroid/graphics/Canvas;Z)V PLandroidx/compose/ui/graphics/CanvasZHelper;->()V PLandroidx/compose/ui/graphics/CanvasZHelper;->()V -HPLandroidx/compose/ui/graphics/CanvasZHelper;->enableZ(Landroid/graphics/Canvas;Z)V +PLandroidx/compose/ui/graphics/CanvasZHelper;->enableZ(Landroid/graphics/Canvas;Z)V PLandroidx/compose/ui/graphics/ClipOp;->()V PLandroidx/compose/ui/graphics/ClipOp;->access$getDifference$cp()I PLandroidx/compose/ui/graphics/ClipOp;->access$getIntersect$cp()I @@ -6412,7 +7130,7 @@ HPLandroidx/compose/ui/graphics/Color;->unbox-impl()J Landroidx/compose/ui/graphics/Color$Companion; HSPLandroidx/compose/ui/graphics/Color$Companion;->()V HSPLandroidx/compose/ui/graphics/Color$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J +HPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlue-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getRed-0d7_KjU()J HPLandroidx/compose/ui/graphics/Color$Companion;->getTransparent-0d7_KjU()J @@ -6433,26 +7151,22 @@ HPLandroidx/compose/ui/graphics/ColorKt;->Color(FFFFLandroidx/compose/ui/graphic HPLandroidx/compose/ui/graphics/ColorKt;->Color(I)J HSPLandroidx/compose/ui/graphics/ColorKt;->Color(IIII)J HSPLandroidx/compose/ui/graphics/ColorKt;->Color(J)J -HPLandroidx/compose/ui/graphics/ColorKt;->compositeOver--OWjLjI(JJ)J +HSPLandroidx/compose/ui/graphics/ColorKt;->compositeOver--OWjLjI(JJ)J HPLandroidx/compose/ui/graphics/ColorKt;->lerp-jxsXWHM(JJF)J HPLandroidx/compose/ui/graphics/ColorKt;->toArgb-8_81llA(J)I Landroidx/compose/ui/graphics/ColorSpaceVerificationHelper; HSPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->()V HSPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->()V -HPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->androidColorSpace(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/ColorSpace; +HSPLandroidx/compose/ui/graphics/ColorSpaceVerificationHelper;->androidColorSpace(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroid/graphics/ColorSpace; Landroidx/compose/ui/graphics/CompositingStrategy; HSPLandroidx/compose/ui/graphics/CompositingStrategy;->()V HPLandroidx/compose/ui/graphics/CompositingStrategy;->access$getAuto$cp()I -HPLandroidx/compose/ui/graphics/CompositingStrategy;->access$getModulateAlpha$cp()I -HPLandroidx/compose/ui/graphics/CompositingStrategy;->access$getOffscreen$cp()I HSPLandroidx/compose/ui/graphics/CompositingStrategy;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/CompositingStrategy;->equals-impl0(II)Z Landroidx/compose/ui/graphics/CompositingStrategy$Companion; HSPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->()V HSPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->getAuto--NrFUSI()I -HPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->getModulateAlpha--NrFUSI()I -HPLandroidx/compose/ui/graphics/CompositingStrategy$Companion;->getOffscreen--NrFUSI()I Landroidx/compose/ui/graphics/FilterQuality; HSPLandroidx/compose/ui/graphics/FilterQuality;->()V HPLandroidx/compose/ui/graphics/FilterQuality;->access$getLow$cp()I @@ -6470,8 +7184,8 @@ HPLandroidx/compose/ui/graphics/Float16;->toFloat-impl(S)F Landroidx/compose/ui/graphics/Float16$Companion; HSPLandroidx/compose/ui/graphics/Float16$Companion;->()V HSPLandroidx/compose/ui/graphics/Float16$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/Float16$Companion;->access$floatToHalf(Landroidx/compose/ui/graphics/Float16$Companion;F)S -HPLandroidx/compose/ui/graphics/Float16$Companion;->floatToHalf(F)S +HSPLandroidx/compose/ui/graphics/Float16$Companion;->access$floatToHalf(Landroidx/compose/ui/graphics/Float16$Companion;F)S +HSPLandroidx/compose/ui/graphics/Float16$Companion;->floatToHalf(F)S Landroidx/compose/ui/graphics/GraphicsLayerElement; HPLandroidx/compose/ui/graphics/GraphicsLayerElement;->(FFFFFFFFFFJLandroidx/compose/ui/graphics/Shape;ZLandroidx/compose/ui/graphics/RenderEffect;JJI)V HPLandroidx/compose/ui/graphics/GraphicsLayerElement;->(FFFFFFFFFFJLandroidx/compose/ui/graphics/Shape;ZLandroidx/compose/ui/graphics/RenderEffect;JJILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6490,12 +7204,14 @@ HPLandroidx/compose/ui/graphics/GraphicsLayerScopeKt;->getDefaultShadowColor()J Landroidx/compose/ui/graphics/ImageBitmap; Landroidx/compose/ui/graphics/ImageBitmapConfig; HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->()V +HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->access$getAlpha8$cp()I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->access$getArgb8888$cp()I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig;->equals-impl0(II)Z Landroidx/compose/ui/graphics/ImageBitmapConfig$Companion; HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->()V HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->getAlpha8-_sVssgQ()I HSPLandroidx/compose/ui/graphics/ImageBitmapConfig$Companion;->getArgb8888-_sVssgQ()I Landroidx/compose/ui/graphics/ImageBitmapKt; HSPLandroidx/compose/ui/graphics/ImageBitmapKt;->ImageBitmap-x__-hDU$default(IIIZLandroidx/compose/ui/graphics/colorspace/ColorSpace;ILjava/lang/Object;)Landroidx/compose/ui/graphics/ImageBitmap; @@ -6521,18 +7237,20 @@ Landroidx/compose/ui/graphics/Outline; HPLandroidx/compose/ui/graphics/Outline;->()V HPLandroidx/compose/ui/graphics/Outline;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/graphics/Outline$Rectangle; -PLandroidx/compose/ui/graphics/Outline$Rectangle;->(Landroidx/compose/ui/geometry/Rect;)V -PLandroidx/compose/ui/graphics/Outline$Rectangle;->getRect()Landroidx/compose/ui/geometry/Rect; +HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->(Landroidx/compose/ui/geometry/Rect;)V +HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->getRect()Landroidx/compose/ui/geometry/Rect; Landroidx/compose/ui/graphics/Outline$Rounded; HPLandroidx/compose/ui/graphics/Outline$Rounded;->(Landroidx/compose/ui/geometry/RoundRect;)V -HPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; +HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRectPath$ui_graphics_release()Landroidx/compose/ui/graphics/Path; Landroidx/compose/ui/graphics/OutlineKt; HPLandroidx/compose/ui/graphics/OutlineKt;->access$hasSameCornerRadius(Landroidx/compose/ui/geometry/RoundRect;)Z HPLandroidx/compose/ui/graphics/OutlineKt;->drawOutline-wDX37Ww$default(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/Outline;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;IILjava/lang/Object;)V HPLandroidx/compose/ui/graphics/OutlineKt;->drawOutline-wDX37Ww(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/Outline;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/OutlineKt;->hasSameCornerRadius(Landroidx/compose/ui/geometry/RoundRect;)Z +HSPLandroidx/compose/ui/graphics/OutlineKt;->size(Landroidx/compose/ui/geometry/Rect;)J HPLandroidx/compose/ui/graphics/OutlineKt;->size(Landroidx/compose/ui/geometry/RoundRect;)J +HSPLandroidx/compose/ui/graphics/OutlineKt;->topLeft(Landroidx/compose/ui/geometry/Rect;)J HPLandroidx/compose/ui/graphics/OutlineKt;->topLeft(Landroidx/compose/ui/geometry/RoundRect;)J Landroidx/compose/ui/graphics/Paint; Landroidx/compose/ui/graphics/PaintingStyle; @@ -6553,13 +7271,10 @@ HSPLandroidx/compose/ui/graphics/Path$Companion;->()V HSPLandroidx/compose/ui/graphics/Path$Companion;->()V Landroidx/compose/ui/graphics/PathFillType; HSPLandroidx/compose/ui/graphics/PathFillType;->()V -HSPLandroidx/compose/ui/graphics/PathFillType;->(I)V HSPLandroidx/compose/ui/graphics/PathFillType;->access$getEvenOdd$cp()I HSPLandroidx/compose/ui/graphics/PathFillType;->access$getNonZero$cp()I -HSPLandroidx/compose/ui/graphics/PathFillType;->box-impl(I)Landroidx/compose/ui/graphics/PathFillType; HSPLandroidx/compose/ui/graphics/PathFillType;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/PathFillType;->equals-impl0(II)Z -HSPLandroidx/compose/ui/graphics/PathFillType;->unbox-impl()I Landroidx/compose/ui/graphics/PathFillType$Companion; HSPLandroidx/compose/ui/graphics/PathFillType$Companion;->()V HSPLandroidx/compose/ui/graphics/PathFillType$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6572,14 +7287,13 @@ HPLandroidx/compose/ui/graphics/RectangleShapeKt;->getRectangleShape()Landroidx/ Landroidx/compose/ui/graphics/RectangleShapeKt$RectangleShape$1; HSPLandroidx/compose/ui/graphics/RectangleShapeKt$RectangleShape$1;->()V Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; +HSPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->()V HSPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->()V HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getAlpha()F -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getAmbientShadowColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getCameraDistance()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getClip()Z -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getCompositingStrategy--NrFUSI()I PLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getDensity()F -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRenderEffect()Landroidx/compose/ui/graphics/RenderEffect; +HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getMutatedFields$ui_release()I HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRotationX()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRotationY()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getRotationZ()F @@ -6588,7 +7302,6 @@ HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getScaleY()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getShadowElevation()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getShape()Landroidx/compose/ui/graphics/Shape; PLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getSize-NH-jbRc()J -HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getSpotShadowColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getTransformOrigin-SzJe1aQ()J HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getTranslationX()F HPLandroidx/compose/ui/graphics/ReusableGraphicsLayerScope;->getTranslationY()F @@ -6649,6 +7362,7 @@ HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->getTranslationY()F HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->(Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V +HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V @@ -6658,15 +7372,13 @@ Landroidx/compose/ui/graphics/SolidColor; HSPLandroidx/compose/ui/graphics/SolidColor;->(J)V HSPLandroidx/compose/ui/graphics/SolidColor;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/SolidColor;->applyTo-Pq9zytI(JLandroidx/compose/ui/graphics/Paint;F)V +HSPLandroidx/compose/ui/graphics/SolidColor;->getValue-0d7_KjU()J Landroidx/compose/ui/graphics/StrokeCap; HSPLandroidx/compose/ui/graphics/StrokeCap;->()V -HSPLandroidx/compose/ui/graphics/StrokeCap;->(I)V HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getButt$cp()I HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getSquare$cp()I -HSPLandroidx/compose/ui/graphics/StrokeCap;->box-impl(I)Landroidx/compose/ui/graphics/StrokeCap; HSPLandroidx/compose/ui/graphics/StrokeCap;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeCap;->equals-impl0(II)Z -HSPLandroidx/compose/ui/graphics/StrokeCap;->unbox-impl()I Landroidx/compose/ui/graphics/StrokeCap$Companion; HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6674,13 +7386,10 @@ HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getButt-KaPHkGw()I HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getSquare-KaPHkGw()I Landroidx/compose/ui/graphics/StrokeJoin; HSPLandroidx/compose/ui/graphics/StrokeJoin;->()V -HSPLandroidx/compose/ui/graphics/StrokeJoin;->(I)V HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getBevel$cp()I HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getMiter$cp()I -HSPLandroidx/compose/ui/graphics/StrokeJoin;->box-impl(I)Landroidx/compose/ui/graphics/StrokeJoin; HSPLandroidx/compose/ui/graphics/StrokeJoin;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeJoin;->equals-impl0(II)Z -HSPLandroidx/compose/ui/graphics/StrokeJoin;->unbox-impl()I Landroidx/compose/ui/graphics/StrokeJoin$Companion; HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -6737,8 +7446,8 @@ Landroidx/compose/ui/graphics/colorspace/ColorSpace; HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->()V HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->(Ljava/lang/String;JI)V HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->(Ljava/lang/String;JILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getComponentCount()I +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getComponentCount()I HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getId$ui_graphics_release()I HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getModel-xdoWZVw()J HSPLandroidx/compose/ui/graphics/colorspace/ColorSpace;->getName()Ljava/lang/String; @@ -6758,9 +7467,9 @@ HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->inverse3x3([F)[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3([F[F)[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Diag([F[F)[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3([F[F)[F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_0([FFFF)F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_1([FFFF)F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_2([FFFF)F +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_0([FFFF)F +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_1([FFFF)F +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->mul3x3Float3_2([FFFF)F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->rcpResponse(DDDDDD)D HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaceKt;->response(DDDDDD)D Landroidx/compose/ui/graphics/colorspace/ColorSpaces; @@ -6768,7 +7477,7 @@ HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->()V HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->()V HPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getColorSpacesArray$ui_graphics_release()[Landroidx/compose/ui/graphics/colorspace/ColorSpace; HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getNtsc1953Primaries$ui_graphics_release()[F -HPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getOklab()Landroidx/compose/ui/graphics/colorspace/ColorSpace; +HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getOklab()Landroidx/compose/ui/graphics/colorspace/ColorSpace; HPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getSrgb()Landroidx/compose/ui/graphics/colorspace/Rgb; HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getSrgbPrimaries$ui_graphics_release()[F HSPLandroidx/compose/ui/graphics/colorspace/ColorSpaces;->getUnspecified$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Rgb; @@ -6791,7 +7500,7 @@ HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->(Lkotlin HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->access$computeTransform-YBCOT_4(Landroidx/compose/ui/graphics/colorspace/Connector$Companion;Landroidx/compose/ui/graphics/colorspace/ColorSpace;Landroidx/compose/ui/graphics/colorspace/ColorSpace;I)[F HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->computeTransform-YBCOT_4(Landroidx/compose/ui/graphics/colorspace/ColorSpace;Landroidx/compose/ui/graphics/colorspace/ColorSpace;I)[F HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->getOklabToSrgbPerceptual$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Connector; -HPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->getSrgbToOklabPerceptual$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Connector; +HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->getSrgbToOklabPerceptual$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/Connector; HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion;->identity$ui_graphics_release(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)Landroidx/compose/ui/graphics/colorspace/Connector; Landroidx/compose/ui/graphics/colorspace/Connector$Companion$identity$1; HSPLandroidx/compose/ui/graphics/colorspace/Connector$Companion$identity$1;->(Landroidx/compose/ui/graphics/colorspace/ColorSpace;I)V @@ -6835,7 +7544,7 @@ HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getPerceptu HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getRelative-uksYyKA()I Landroidx/compose/ui/graphics/colorspace/Rgb; HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$FANKyyW7TMwi4gnihl1LqxbkU6k(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$G8Pyx7Z9bMrnDjgEiQ7pXGTZEzg(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$G8Pyx7Z9bMrnDjgEiQ7pXGTZEzg(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$OfmTeMXzL_nayJmS5mO6N4G4DlI(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$ahWovdYS5NpJ-IThda37cTda4qg(D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$q_AtDSzDu9yw5JwgrVWJo3kmlB0(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D @@ -6843,20 +7552,20 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->()V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Landroidx/compose/ui/graphics/colorspace/Rgb;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;DFFI)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;Landroidx/compose/ui/graphics/colorspace/TransferParameters;I)V -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;[FLandroidx/compose/ui/graphics/colorspace/DoubleFunction;Landroidx/compose/ui/graphics/colorspace/DoubleFunction;FFLandroidx/compose/ui/graphics/colorspace/TransferParameters;I)V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;[FLandroidx/compose/ui/graphics/colorspace/DoubleFunction;Landroidx/compose/ui/graphics/colorspace/DoubleFunction;FFLandroidx/compose/ui/graphics/colorspace/TransferParameters;I)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->DoubleIdentity$lambda$12(D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->_init_$lambda$6(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->_init_$lambda$8(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->eotfFunc$lambda$1(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getEotfOrig$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/DoubleFunction; HPLandroidx/compose/ui/graphics/colorspace/Rgb;->getMaxValue(I)F HPLandroidx/compose/ui/graphics/colorspace/Rgb;->getMinValue(I)F HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getOetfOrig$ui_graphics_release()Landroidx/compose/ui/graphics/colorspace/DoubleFunction; HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getTransform$ui_graphics_release()[F HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getWhitePoint()Landroidx/compose/ui/graphics/colorspace/WhitePoint; -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->isSrgb()Z -HPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->isSrgb()Z +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toXy$ui_graphics_release(FFF)J HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toZ$ui_graphics_release(FFF)F HPLandroidx/compose/ui/graphics/colorspace/Rgb;->xyzaToColor-JlNiLsg$ui_graphics_release(FFFFLandroidx/compose/ui/graphics/colorspace/ColorSpace;)J @@ -6901,10 +7610,10 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb$oetf$1;->(Landroidx/compos Landroidx/compose/ui/graphics/colorspace/TransferParameters; HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDD)V HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDDILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getB()D -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getC()D -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getD()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getC()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getD()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getE()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getF()D HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getGamma()D @@ -6923,7 +7632,7 @@ HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->configurePaint-swdJ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->configurePaint-swdJneE(Landroidx/compose/ui/graphics/Brush;Landroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;II)Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V -HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawPath-GBMwjPU(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V +HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawPath-GBMwjPU(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V PLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V @@ -6936,7 +7645,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainFillPaint()Lan HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainStrokePaint()Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->selectPaint(Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/graphics/Paint; Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams; -HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;J)V +HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;J)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;JILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;JLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component1()Landroidx/compose/ui/unit/Density; @@ -6944,7 +7653,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component3()Landroidx/compose/ui/graphics/Canvas; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component4-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getCanvas()Landroidx/compose/ui/graphics/Canvas; -HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; +HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getSize-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->setCanvas(Landroidx/compose/ui/graphics/Canvas;)V @@ -6958,9 +7667,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$drawContext$1;->getSiz HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$drawContext$1;->getTransform()Landroidx/compose/ui/graphics/drawscope/DrawTransform; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$drawContext$1;->setSize-uvyYCjk(J)V Landroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->()V HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->access$asDrawTransform(Landroidx/compose/ui/graphics/drawscope/DrawContext;)Landroidx/compose/ui/graphics/drawscope/DrawTransform; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->access$getDefaultDensity$p()Landroidx/compose/ui/unit/Density; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt;->asDrawTransform(Landroidx/compose/ui/graphics/drawscope/DrawContext;)Landroidx/compose/ui/graphics/drawscope/DrawTransform; Landroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->(Landroidx/compose/ui/graphics/drawscope/DrawContext;)V @@ -6968,10 +7675,14 @@ PLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->c HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->getSize-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->inset(FFFF)V PLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->rotate-Uv8p0NA(FJ)V +HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->scale-0AR0LA0(FFJ)V HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->transform-58bKbWc([F)V HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScopeKt$asDrawTransform$1;->translate(FF)V Landroidx/compose/ui/graphics/drawscope/ContentDrawScope; Landroidx/compose/ui/graphics/drawscope/DrawContext; +Landroidx/compose/ui/graphics/drawscope/DrawContextKt; +HSPLandroidx/compose/ui/graphics/drawscope/DrawContextKt;->()V +HSPLandroidx/compose/ui/graphics/drawscope/DrawContextKt;->getDefaultDensity()Landroidx/compose/ui/unit/Density; Landroidx/compose/ui/graphics/drawscope/DrawScope; HSPLandroidx/compose/ui/graphics/drawscope/DrawScope;->()V HPLandroidx/compose/ui/graphics/drawscope/DrawScope;->drawArc-yD3GUKo$default(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;IILjava/lang/Object;)V @@ -7018,43 +7729,50 @@ HPLandroidx/compose/ui/graphics/painter/BitmapPainter;->onDraw(Landroidx/compose PLandroidx/compose/ui/graphics/painter/BitmapPainter;->setFilterQuality-vDHp3xo$ui_graphics_release(I)V HPLandroidx/compose/ui/graphics/painter/BitmapPainter;->validateSize-N5eqBDc(JJ)J HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY$default(Landroidx/compose/ui/graphics/ImageBitmap;JJIILjava/lang/Object;)Landroidx/compose/ui/graphics/painter/BitmapPainter; -HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; +PLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; Landroidx/compose/ui/graphics/painter/Painter; HPLandroidx/compose/ui/graphics/painter/Painter;->()V HPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V -HSPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V +HPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V Landroidx/compose/ui/graphics/painter/Painter$drawLambda$1; HPLandroidx/compose/ui/graphics/painter/Painter$drawLambda$1;->(Landroidx/compose/ui/graphics/painter/Painter;)V Landroidx/compose/ui/graphics/vector/DrawCache; +HSPLandroidx/compose/ui/graphics/vector/DrawCache;->()V HPLandroidx/compose/ui/graphics/vector/DrawCache;->()V HSPLandroidx/compose/ui/graphics/vector/DrawCache;->clear(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HPLandroidx/compose/ui/graphics/vector/DrawCache;->drawCachedImage-CJJAR-o(JLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/graphics/vector/DrawCache;->drawInto(Landroidx/compose/ui/graphics/drawscope/DrawScope;FLandroidx/compose/ui/graphics/ColorFilter;)V +HPLandroidx/compose/ui/graphics/vector/DrawCache;->drawCachedImage-FqjB98A(IJLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/graphics/vector/DrawCache;->drawInto(Landroidx/compose/ui/graphics/drawscope/DrawScope;FLandroidx/compose/ui/graphics/ColorFilter;)V Landroidx/compose/ui/graphics/vector/GroupComponent; +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->()V HPLandroidx/compose/ui/graphics/vector/GroupComponent;->()V HPLandroidx/compose/ui/graphics/vector/GroupComponent;->draw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function0; +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getNumChildren()I +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getTintColor-0d7_KjU()J HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->getWillClipPath()Z -HPLandroidx/compose/ui/graphics/vector/GroupComponent;->insertAt(ILandroidx/compose/ui/graphics/vector/VNode;)V -HPLandroidx/compose/ui/graphics/vector/GroupComponent;->remove(II)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setName(Ljava/lang/String;)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setPivotX(F)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setPivotY(F)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setScaleX(F)V -HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setScaleY(F)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->insertAt(ILandroidx/compose/ui/graphics/vector/VNode;)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->isTintable()Z +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->markTintForBrush(Landroidx/compose/ui/graphics/Brush;)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->markTintForColor-8_81llA(J)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->markTintForVNode(Landroidx/compose/ui/graphics/vector/VNode;)V +HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/graphics/vector/GroupComponent;->updateClipPath()V HPLandroidx/compose/ui/graphics/vector/GroupComponent;->updateMatrix()V +Landroidx/compose/ui/graphics/vector/GroupComponent$wrappedListener$1; +HSPLandroidx/compose/ui/graphics/vector/GroupComponent$wrappedListener$1;->(Landroidx/compose/ui/graphics/vector/GroupComponent;)V Landroidx/compose/ui/graphics/vector/ImageVector; HSPLandroidx/compose/ui/graphics/vector/ImageVector;->()V -HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZ)V -HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZI)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->(Ljava/lang/String;FFFFLandroidx/compose/ui/graphics/vector/VectorGroup;JIZILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->access$getImageVectorCount$cp()I +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->access$setImageVectorCount$cp(I)V HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getAutoMirror()Z HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getDefaultHeight-D9Ej5fM()F HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getDefaultWidth-D9Ej5fM()F +HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getGenId$ui_release()I HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getName()Ljava/lang/String; HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getRoot()Landroidx/compose/ui/graphics/vector/VectorGroup; HSPLandroidx/compose/ui/graphics/vector/ImageVector;->getTintBlendMode-0nO6VwU()I @@ -7088,6 +7806,7 @@ HSPLandroidx/compose/ui/graphics/vector/ImageVector$Builder$GroupParams;->getTra Landroidx/compose/ui/graphics/vector/ImageVector$Companion; HSPLandroidx/compose/ui/graphics/vector/ImageVector$Companion;->()V HSPLandroidx/compose/ui/graphics/vector/ImageVector$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/graphics/vector/ImageVector$Companion;->generateImageVectorId$ui_release()I Landroidx/compose/ui/graphics/vector/ImageVectorKt; HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->access$peek(Ljava/util/ArrayList;)Ljava/lang/Object; HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->access$push(Ljava/util/ArrayList;Ljava/lang/Object;)Z @@ -7095,7 +7814,6 @@ HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->peek(Ljava/util/ArrayLis HSPLandroidx/compose/ui/graphics/vector/ImageVectorKt;->push(Ljava/util/ArrayList;Ljava/lang/Object;)Z Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->()V -HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->addNode(Landroidx/compose/ui/graphics/vector/PathNode;)Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->close()Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->curveTo(FFFFFF)Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->getNodes()Ljava/util/List; @@ -7106,8 +7824,11 @@ HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->reflectiveCurveTo(FFFF)Lan HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->reflectiveCurveToRelative(FFFF)Landroidx/compose/ui/graphics/vector/PathBuilder; HSPLandroidx/compose/ui/graphics/vector/PathBuilder;->verticalLineToRelative(F)Landroidx/compose/ui/graphics/vector/PathBuilder; Landroidx/compose/ui/graphics/vector/PathComponent; +HSPLandroidx/compose/ui/graphics/vector/PathComponent;->()V HPLandroidx/compose/ui/graphics/vector/PathComponent;->()V HPLandroidx/compose/ui/graphics/vector/PathComponent;->draw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HSPLandroidx/compose/ui/graphics/vector/PathComponent;->getFill()Landroidx/compose/ui/graphics/Brush; +HSPLandroidx/compose/ui/graphics/vector/PathComponent;->getStroke()Landroidx/compose/ui/graphics/Brush; HSPLandroidx/compose/ui/graphics/vector/PathComponent;->setFill(Landroidx/compose/ui/graphics/Brush;)V HSPLandroidx/compose/ui/graphics/vector/PathComponent;->setFillAlpha(F)V HSPLandroidx/compose/ui/graphics/vector/PathComponent;->setName(Ljava/lang/String;)V @@ -7181,186 +7902,71 @@ Landroidx/compose/ui/graphics/vector/VNode; HSPLandroidx/compose/ui/graphics/vector/VNode;->()V HSPLandroidx/compose/ui/graphics/vector/VNode;->()V HSPLandroidx/compose/ui/graphics/vector/VNode;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/vector/VNode;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function0; -HPLandroidx/compose/ui/graphics/vector/VNode;->invalidate()V -HSPLandroidx/compose/ui/graphics/vector/VNode;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function0;)V -Landroidx/compose/ui/graphics/vector/VectorApplier; -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->(Landroidx/compose/ui/graphics/vector/VNode;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->asGroup(Landroidx/compose/ui/graphics/vector/VNode;)Landroidx/compose/ui/graphics/vector/GroupComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertBottomUp(ILandroidx/compose/ui/graphics/vector/VNode;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertBottomUp(ILjava/lang/Object;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertTopDown(ILandroidx/compose/ui/graphics/vector/VNode;)V -HSPLandroidx/compose/ui/graphics/vector/VectorApplier;->insertTopDown(ILjava/lang/Object;)V -PLandroidx/compose/ui/graphics/vector/VectorApplier;->onClear()V +HSPLandroidx/compose/ui/graphics/vector/VNode;->getInvalidateListener$ui_release()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/ui/graphics/vector/VNode;->invalidate()V +HSPLandroidx/compose/ui/graphics/vector/VNode;->setInvalidateListener$ui_release(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/ui/graphics/vector/VectorComponent; -HPLandroidx/compose/ui/graphics/vector/VectorComponent;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->access$doInvalidate(Landroidx/compose/ui/graphics/vector/VectorComponent;)V -HPLandroidx/compose/ui/graphics/vector/VectorComponent;->doInvalidate()V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->()V +HPLandroidx/compose/ui/graphics/vector/VectorComponent;->(Landroidx/compose/ui/graphics/vector/GroupComponent;)V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->access$getRootScaleX$p(Landroidx/compose/ui/graphics/vector/VectorComponent;)F +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->access$getRootScaleY$p(Landroidx/compose/ui/graphics/vector/VectorComponent;)F HPLandroidx/compose/ui/graphics/vector/VectorComponent;->draw(Landroidx/compose/ui/graphics/drawscope/DrawScope;FLandroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getIntrinsicColorFilter$ui_release()Landroidx/compose/ui/graphics/ColorFilter; HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getRoot()Landroidx/compose/ui/graphics/vector/GroupComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getViewportHeight()F -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getViewportWidth()F +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->getViewportSize-NH-jbRc$ui_release()J HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setIntrinsicColorFilter$ui_release(Landroidx/compose/ui/graphics/ColorFilter;)V HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setInvalidateCallback$ui_release(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setName(Ljava/lang/String;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setViewportHeight(F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setViewportWidth(F)V +HSPLandroidx/compose/ui/graphics/vector/VectorComponent;->setViewportSize-uvyYCjk$ui_release(J)V +Landroidx/compose/ui/graphics/vector/VectorComponent$1; +HSPLandroidx/compose/ui/graphics/vector/VectorComponent$1;->(Landroidx/compose/ui/graphics/vector/VectorComponent;)V Landroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1; HSPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->(Landroidx/compose/ui/graphics/vector/VectorComponent;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V HSPLandroidx/compose/ui/graphics/vector/VectorComponent$drawVectorBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/vector/VectorComponent$invalidateCallback$1; HSPLandroidx/compose/ui/graphics/vector/VectorComponent$invalidateCallback$1;->()V HSPLandroidx/compose/ui/graphics/vector/VectorComponent$invalidateCallback$1;->()V -Landroidx/compose/ui/graphics/vector/VectorComponent$root$1$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComponent$root$1$1;->(Landroidx/compose/ui/graphics/vector/VectorComponent;)V -HPLandroidx/compose/ui/graphics/vector/VectorComponent$root$1$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/graphics/vector/VectorComponent$root$1$1;->invoke()V -Landroidx/compose/ui/graphics/vector/VectorComposeKt; -HPLandroidx/compose/ui/graphics/vector/VectorComposeKt;->Path-9cdaXJ4(Ljava/util/List;ILjava/lang/String;Landroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/Brush;FFIIFFFFLandroidx/compose/runtime/Composer;III)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->invoke()Landroidx/compose/ui/graphics/vector/PathComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$1;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Ljava/lang/String;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$10;->invoke-CSYIeUk(Landroidx/compose/ui/graphics/vector/PathComponent;I)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$11;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$12;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$13;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$14;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Ljava/util/List;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$3;->invoke-pweu1eQ(Landroidx/compose/ui/graphics/vector/PathComponent;I)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Landroidx/compose/ui/graphics/Brush;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$4;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$5;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;Landroidx/compose/ui/graphics/Brush;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$6;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$7;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->invoke(Landroidx/compose/ui/graphics/vector/PathComponent;F)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$8;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path$2$9;->invoke-kLtJ_vA(Landroidx/compose/ui/graphics/vector/PathComponent;I)V -Landroidx/compose/ui/graphics/vector/VectorComposeKt$Path-9cdaXJ4$$inlined$ComposeNode$1; -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path-9cdaXJ4$$inlined$ComposeNode$1;->(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/graphics/vector/VectorComposeKt$Path-9cdaXJ4$$inlined$ComposeNode$1;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorConfig; -HSPLandroidx/compose/ui/graphics/vector/VectorConfig;->getOrDefault(Landroidx/compose/ui/graphics/vector/VectorProperty;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/vector/VectorGroup; HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->()V HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->(Ljava/lang/String;FFFFFFFLjava/util/List;Ljava/util/List;)V -HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->access$getChildren$p(Landroidx/compose/ui/graphics/vector/VectorGroup;)Ljava/util/List; -HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->iterator()Ljava/util/Iterator; -Landroidx/compose/ui/graphics/vector/VectorGroup$iterator$1; -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->(Landroidx/compose/ui/graphics/vector/VectorGroup;)V -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->hasNext()Z -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->next()Landroidx/compose/ui/graphics/vector/VectorNode; -HSPLandroidx/compose/ui/graphics/vector/VectorGroup$iterator$1;->next()Ljava/lang/Object; +HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->get(I)Landroidx/compose/ui/graphics/vector/VectorNode; +HSPLandroidx/compose/ui/graphics/vector/VectorGroup;->getSize()I Landroidx/compose/ui/graphics/vector/VectorKt; HSPLandroidx/compose/ui/graphics/vector/VectorKt;->()V HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getDefaultFillType()I HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getDefaultStrokeLineCap()I HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getDefaultStrokeLineJoin()I HSPLandroidx/compose/ui/graphics/vector/VectorKt;->getEmptyPath()Ljava/util/List; +HSPLandroidx/compose/ui/graphics/vector/VectorKt;->tintableWithAlphaMask(Landroidx/compose/ui/graphics/ColorFilter;)Z Landroidx/compose/ui/graphics/vector/VectorNode; HSPLandroidx/compose/ui/graphics/vector/VectorNode;->()V HSPLandroidx/compose/ui/graphics/vector/VectorNode;->()V HSPLandroidx/compose/ui/graphics/vector/VectorNode;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/graphics/vector/VectorPainter; HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->()V -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->()V -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->RenderVector$ui_release(Ljava/lang/String;FFLkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->access$getVector$p(Landroidx/compose/ui/graphics/vector/VectorPainter;)Landroidx/compose/ui/graphics/vector/VectorComponent; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->access$setDirty(Landroidx/compose/ui/graphics/vector/VectorPainter;Z)V +HPLandroidx/compose/ui/graphics/vector/VectorPainter;->(Landroidx/compose/ui/graphics/vector/GroupComponent;)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->applyColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)Z -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->composeVector(Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function4;)Landroidx/compose/runtime/Composition; -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->getAutoMirror$ui_release()Z +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->getAutoMirror$ui_release()Z HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->getIntrinsicSize-NH-jbRc()J +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->getInvalidateCount()I HPLandroidx/compose/ui/graphics/vector/VectorPainter;->getSize-NH-jbRc$ui_release()J -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->isDirty()Z -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setAutoMirror$ui_release(Z)V -HPLandroidx/compose/ui/graphics/vector/VectorPainter;->setDirty(Z)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setIntrinsicColorFilter$ui_release(Landroidx/compose/ui/graphics/ColorFilter;)V +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setName$ui_release(Ljava/lang/String;)V HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setSize-uvyYCjk$ui_release(J)V -Landroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2;->(Landroidx/compose/runtime/Composition;)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/Composition;)V -PLandroidx/compose/ui/graphics/vector/VectorPainter$RenderVector$2$invoke$$inlined$onDispose$1;->dispose()V -Landroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1; -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1;->(Lkotlin/jvm/functions/Function4;Landroidx/compose/ui/graphics/vector/VectorPainter;)V -HPLandroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1;->invoke(Landroidx/compose/runtime/Composer;I)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainter$composeVector$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/graphics/vector/VectorPainter;->setViewportSize-uvyYCjk$ui_release(J)V Landroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1; HSPLandroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1;->(Landroidx/compose/ui/graphics/vector/VectorPainter;)V -HPLandroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/graphics/vector/VectorPainter$vector$1$1;->invoke()V Landroidx/compose/ui/graphics/vector/VectorPainterKt; -HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->RenderVectorGroup(Landroidx/compose/ui/graphics/vector/VectorGroup;Ljava/util/Map;Landroidx/compose/runtime/Composer;II)V +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->configureVectorPainter-T4PVSW8(Landroidx/compose/ui/graphics/vector/VectorPainter;JJLjava/lang/String;Landroidx/compose/ui/graphics/ColorFilter;Z)Landroidx/compose/ui/graphics/vector/VectorPainter; +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->createColorFilter-xETnrds(JI)Landroidx/compose/ui/graphics/ColorFilter; +HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->createGroupComponent(Landroidx/compose/ui/graphics/vector/GroupComponent;Landroidx/compose/ui/graphics/vector/VectorGroup;)Landroidx/compose/ui/graphics/vector/GroupComponent; +HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->createVectorPainterFromImageVector(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/graphics/vector/ImageVector;Landroidx/compose/ui/graphics/vector/GroupComponent;)Landroidx/compose/ui/graphics/vector/VectorPainter; +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->obtainSizePx-VpY3zN4(Landroidx/compose/ui/unit/Density;FF)J +HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->obtainViewportSize-Pq9zytI(JFF)J HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->rememberVectorPainter(Landroidx/compose/ui/graphics/vector/ImageVector;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/graphics/vector/VectorPainter; -HPLandroidx/compose/ui/graphics/vector/VectorPainterKt;->rememberVectorPainter-vIP8VLU(FFFFLjava/lang/String;JIZLkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)Landroidx/compose/ui/graphics/vector/VectorPainter; -Landroidx/compose/ui/graphics/vector/VectorPainterKt$RenderVectorGroup$config$1; -HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt$RenderVectorGroup$config$1;->()V -Landroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3; -HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3;->(Landroidx/compose/ui/graphics/vector/ImageVector;)V -HSPLandroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3;->invoke(FFLandroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/ui/graphics/vector/VectorPainterKt$rememberVectorPainter$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/vector/VectorPath; HSPLandroidx/compose/ui/graphics/vector/VectorPath;->()V HSPLandroidx/compose/ui/graphics/vector/VectorPath;->(Ljava/lang/String;Ljava/util/List;ILandroidx/compose/ui/graphics/Brush;FLandroidx/compose/ui/graphics/Brush;FFIIFFFF)V @@ -7379,39 +7985,9 @@ HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getStrokeLineWidth()F HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getTrimPathEnd()F HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getTrimPathOffset()F HSPLandroidx/compose/ui/graphics/vector/VectorPath;->getTrimPathStart()F -Landroidx/compose/ui/graphics/vector/VectorProperty; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/ui/graphics/vector/VectorProperty$Fill; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Fill;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Fill;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$FillAlpha; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$FillAlpha;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$FillAlpha;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$PathData; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$PathData;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$PathData;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$Stroke; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Stroke;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$Stroke;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$StrokeAlpha; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeAlpha;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeAlpha;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$StrokeLineWidth; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeLineWidth;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$StrokeLineWidth;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$TrimPathEnd; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathEnd;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathEnd;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$TrimPathOffset; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathOffset;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathOffset;->()V -Landroidx/compose/ui/graphics/vector/VectorProperty$TrimPathStart; -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathStart;->()V -HSPLandroidx/compose/ui/graphics/vector/VectorProperty$TrimPathStart;->()V Landroidx/compose/ui/hapticfeedback/HapticFeedback; Landroidx/compose/ui/hapticfeedback/PlatformHapticFeedback; +HSPLandroidx/compose/ui/hapticfeedback/PlatformHapticFeedback;->()V HSPLandroidx/compose/ui/hapticfeedback/PlatformHapticFeedback;->(Landroid/view/View;)V Landroidx/compose/ui/input/InputMode; HSPLandroidx/compose/ui/input/InputMode;->()V @@ -7431,6 +8007,7 @@ HSPLandroidx/compose/ui/input/InputMode$Companion;->getKeyboard-aOaMEAU()I HSPLandroidx/compose/ui/input/InputMode$Companion;->getTouch-aOaMEAU()I Landroidx/compose/ui/input/InputModeManager; Landroidx/compose/ui/input/InputModeManagerImpl; +HSPLandroidx/compose/ui/input/InputModeManagerImpl;->()V HSPLandroidx/compose/ui/input/InputModeManagerImpl;->(ILkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/input/InputModeManagerImpl;->(ILkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/input/InputModeManagerImpl;->getInputMode-aOaMEAU()I @@ -7449,48 +8026,54 @@ Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection; Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->()V HPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->getModifierLocalNode$ui_release()Landroidx/compose/ui/modifier/ModifierLocalModifierNode; +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->getModifierLocalNode$ui_release()Landroidx/compose/ui/modifier/ModifierLocalModifierNode; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->setCalculateNestedScrollScope$ui_release(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->setModifierLocalNode$ui_release(Landroidx/compose/ui/modifier/ModifierLocalModifierNode;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;->setScope$ui_release(Lkotlinx/coroutines/CoroutineScope;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher$calculateNestedScrollScope$1; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher$calculateNestedScrollScope$1;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollElement; -HPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->create()Landroidx/compose/ui/input/nestedscroll/NestedScrollNode; -PLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->equals(Ljava/lang/Object;)Z -PLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/Modifier$Node;)V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/input/nestedscroll/NestedScrollNode;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/Modifier$Node;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollElement;->update(Landroidx/compose/ui/input/nestedscroll/NestedScrollNode;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt;->nestedScroll$default(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; -HPLandroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt;->nestedScroll(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollModifierKt;->nestedScroll(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/input/nestedscroll/NestedScrollNode; +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->()V HPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->getProvidedValues()Landroidx/compose/ui/modifier/ModifierLocalMap; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->onAttach()V PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->onDetach()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->resetDispatcherFields()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateDispatcher(Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->resetDispatcherFields()V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateDispatcher(Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V HPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateDispatcherFields()V -PLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateNode$ui_release(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V +HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode;->updateNode$ui_release(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollNode$updateDispatcherFields$1; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNode$updateDispatcherFields$1;->(Landroidx/compose/ui/input/nestedscroll/NestedScrollNode;)V Landroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt;->()V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt;->getModifierLocalNestedScroll()Landroidx/compose/ui/modifier/ProvidableModifierLocal; +PLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt;->nestedScrollModifierNode(Landroidx/compose/ui/input/nestedscroll/NestedScrollConnection;Landroidx/compose/ui/input/nestedscroll/NestedScrollDispatcher;)Landroidx/compose/ui/node/DelegatableNode; Landroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt$ModifierLocalNestedScroll$1; HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt$ModifierLocalNestedScroll$1;->()V HSPLandroidx/compose/ui/input/nestedscroll/NestedScrollNodeKt$ModifierLocalNestedScroll$1;->()V Landroidx/compose/ui/input/pointer/AndroidPointerIconType; +HSPLandroidx/compose/ui/input/pointer/AndroidPointerIconType;->()V HSPLandroidx/compose/ui/input/pointer/AndroidPointerIconType;->(I)V Landroidx/compose/ui/input/pointer/AwaitPointerEventScope; Landroidx/compose/ui/input/pointer/HitPathTracker; +HSPLandroidx/compose/ui/input/pointer/HitPathTracker;->()V HSPLandroidx/compose/ui/input/pointer/HitPathTracker;->(Landroidx/compose/ui/layout/LayoutCoordinates;)V Landroidx/compose/ui/input/pointer/MotionEventAdapter; +HSPLandroidx/compose/ui/input/pointer/MotionEventAdapter;->()V HSPLandroidx/compose/ui/input/pointer/MotionEventAdapter;->()V Landroidx/compose/ui/input/pointer/Node; Landroidx/compose/ui/input/pointer/NodeParent; +HSPLandroidx/compose/ui/input/pointer/NodeParent;->()V HSPLandroidx/compose/ui/input/pointer/NodeParent;->()V Landroidx/compose/ui/input/pointer/PointerButtons; HSPLandroidx/compose/ui/input/pointer/PointerButtons;->constructor-impl(I)I @@ -7500,6 +8083,7 @@ HSPLandroidx/compose/ui/input/pointer/PointerEvent;->(Ljava/util/List;)V HSPLandroidx/compose/ui/input/pointer/PointerEvent;->(Ljava/util/List;Landroidx/compose/ui/input/pointer/InternalPointerEvent;)V HSPLandroidx/compose/ui/input/pointer/PointerEvent;->calculatePointerEventType-7fucELk()I HSPLandroidx/compose/ui/input/pointer/PointerEvent;->getMotionEvent$ui_release()Landroid/view/MotionEvent; +Landroidx/compose/ui/input/pointer/PointerEventTimeoutCancellationException; Landroidx/compose/ui/input/pointer/PointerEventType; HSPLandroidx/compose/ui/input/pointer/PointerEventType;->()V HSPLandroidx/compose/ui/input/pointer/PointerEventType;->access$getMove$cp()I @@ -7526,6 +8110,7 @@ HSPLandroidx/compose/ui/input/pointer/PointerIcon_androidKt;->getPointerIconText Landroidx/compose/ui/input/pointer/PointerInputChangeEventProducer; HSPLandroidx/compose/ui/input/pointer/PointerInputChangeEventProducer;->()V Landroidx/compose/ui/input/pointer/PointerInputEventProcessor; +HSPLandroidx/compose/ui/input/pointer/PointerInputEventProcessor;->()V HSPLandroidx/compose/ui/input/pointer/PointerInputEventProcessor;->(Landroidx/compose/ui/node/LayoutNode;)V Landroidx/compose/ui/input/pointer/PointerInputModifier; Landroidx/compose/ui/input/pointer/PointerInputScope; @@ -7535,6 +8120,7 @@ HSPLandroidx/compose/ui/input/pointer/PointerKeyboardModifiers;->box-impl(I)Land HSPLandroidx/compose/ui/input/pointer/PointerKeyboardModifiers;->constructor-impl(I)I Landroidx/compose/ui/input/pointer/PositionCalculator; Landroidx/compose/ui/input/pointer/SuspendPointerInputElement; +HSPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->()V HPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->(Ljava/lang/Object;Ljava/lang/Object;[Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->(Ljava/lang/Object;Ljava/lang/Object;[Ljava/lang/Object;Lkotlin/jvm/functions/Function2;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/input/pointer/SuspendPointerInputElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -7547,8 +8133,9 @@ HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputFilterKt;->access$get HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputFilterKt;->pointerInput(Landroidx/compose/ui/Modifier;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNode; Landroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl; +HSPLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->()V HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->(Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->onDetach()V +PLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->onDetach()V PLandroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl;->resetPointerInputHandler()V Landroidx/compose/ui/input/pointer/SuspendingPointerInputModifierNodeImpl$PointerEventHandlerCoroutine; Landroidx/compose/ui/input/pointer/util/DataPointAtTime; @@ -7584,7 +8171,7 @@ HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->()V HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/layout/AlignmentLineKt; HSPLandroidx/compose/ui/layout/AlignmentLineKt;->()V -HPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; +HSPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; HPLandroidx/compose/ui/layout/AlignmentLineKt;->getLastBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; Landroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1; HSPLandroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1;->()V @@ -7651,109 +8238,109 @@ HSPLandroidx/compose/ui/layout/LayoutElement;->create()Landroidx/compose/ui/layo Landroidx/compose/ui/layout/LayoutIdElement; HPLandroidx/compose/ui/layout/LayoutIdElement;->(Ljava/lang/Object;)V HSPLandroidx/compose/ui/layout/LayoutIdElement;->create()Landroidx/compose/ui/Modifier$Node; -HSPLandroidx/compose/ui/layout/LayoutIdElement;->create()Landroidx/compose/ui/layout/LayoutIdModifier; +HPLandroidx/compose/ui/layout/LayoutIdElement;->create()Landroidx/compose/ui/layout/LayoutIdModifier; HPLandroidx/compose/ui/layout/LayoutIdElement;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/layout/LayoutIdKt; HPLandroidx/compose/ui/layout/LayoutIdKt;->getLayoutId(Landroidx/compose/ui/layout/Measurable;)Ljava/lang/Object; HPLandroidx/compose/ui/layout/LayoutIdKt;->layoutId(Landroidx/compose/ui/Modifier;Ljava/lang/Object;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/layout/LayoutIdModifier; -HPLandroidx/compose/ui/layout/LayoutIdModifier;->(Ljava/lang/Object;)V -HSPLandroidx/compose/ui/layout/LayoutIdModifier;->getLayoutId()Ljava/lang/Object; -HPLandroidx/compose/ui/layout/LayoutIdModifier;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/layout/LayoutIdModifier;->()V +HSPLandroidx/compose/ui/layout/LayoutIdModifier;->(Ljava/lang/Object;)V +HPLandroidx/compose/ui/layout/LayoutIdModifier;->getLayoutId()Ljava/lang/Object; +HSPLandroidx/compose/ui/layout/LayoutIdModifier;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/layout/LayoutIdParentData; Landroidx/compose/ui/layout/LayoutInfo; Landroidx/compose/ui/layout/LayoutKt; -HPLandroidx/compose/ui/layout/LayoutKt;->materializerOf(Landroidx/compose/ui/Modifier;)Lkotlin/jvm/functions/Function3; HPLandroidx/compose/ui/layout/LayoutKt;->modifierMaterializerOf(Landroidx/compose/ui/Modifier;)Lkotlin/jvm/functions/Function3; Landroidx/compose/ui/layout/LayoutKt$materializerOf$1; HPLandroidx/compose/ui/layout/LayoutKt$materializerOf$1;->(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/layout/LayoutKt$materializerOf$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/ui/layout/LayoutKt$materializerOf$1;->invoke-Deg8D_g(Landroidx/compose/runtime/Composer;Landroidx/compose/runtime/Composer;I)V -Landroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1; -HPLandroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1;->(Landroidx/compose/ui/Modifier;)V -HPLandroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/layout/LayoutKt$materializerOfWithCompositionLocalInjection$1;->invoke-Deg8D_g(Landroidx/compose/runtime/Composer;Landroidx/compose/runtime/Composer;I)V Landroidx/compose/ui/layout/LayoutModifier; Landroidx/compose/ui/layout/LayoutModifierImpl; +HSPLandroidx/compose/ui/layout/LayoutModifierImpl;->()V HSPLandroidx/compose/ui/layout/LayoutModifierImpl;->(Lkotlin/jvm/functions/Function3;)V -HPLandroidx/compose/ui/layout/LayoutModifierImpl;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/ui/layout/LayoutModifierImpl;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/layout/LayoutModifierKt; HSPLandroidx/compose/ui/layout/LayoutModifierKt;->layout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->()V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getCurrentIndex$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)I -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getIntermediateMeasureScope$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getRoot$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)Landroidx/compose/ui/node/LayoutNode; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$getScope$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->access$setCurrentIndex$p(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;I)V -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->createMeasurePolicy(Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/layout/MeasurePolicy; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->createMeasurePolicy(Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/layout/MeasurePolicy; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->createNodeAt(I)Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->disposeCurrentNodes()V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->disposeOrReuseStartingFromIndex(I)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->forceRecomposeChildren()V PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->getSlotIdAtIndex(I)Ljava/lang/Object; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->makeSureStateIsConsistent()V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->move$default(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;IIIILjava/lang/Object;)V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->move(III)V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->onRelease()V +PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->resetLayoutState(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->setCompositionContext(Landroidx/compose/runtime/CompositionContext;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->setIntermediateMeasurePolicy$ui_release(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->setSlotReusePolicy(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcompose(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcompose(Landroidx/compose/ui/node/LayoutNode;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcompose(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/util/List; -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcomposeInto(Landroidx/compose/runtime/Composition;Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/Composition; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->subcomposeInto(Landroidx/compose/runtime/ReusableComposition;Landroidx/compose/ui/node/LayoutNode;ZLandroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/ReusableComposition; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState;->takeNodeFromReusables(Ljava/lang/Object;)Landroidx/compose/ui/node/LayoutNode; -Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl; -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->setLookaheadConstraints-BRTryo0(J)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->setLookaheadMeasurePolicy(Lkotlin/jvm/functions/Function2;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$IntermediateMeasureScopeImpl;->setLookaheadSize-ozmzZPI(J)V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState; -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composition;)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composition;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/ReusableComposition;)V +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/ReusableComposition;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getActive()Z -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getComposition()Landroidx/compose/runtime/Composition; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getComposition()Landroidx/compose/runtime/ReusableComposition; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getContent()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getForceRecompose()Z +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getForceReuse()Z PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->getSlotId()Ljava/lang/Object; PLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setActive(Z)V -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setComposition(Landroidx/compose/runtime/Composition;)V +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setComposition(Landroidx/compose/runtime/ReusableComposition;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setContent(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setForceRecompose(Z)V +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;->setForceReuse(Z)V +Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$PostLookaheadMeasureScopeImpl; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$PostLookaheadMeasureScopeImpl;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->getDensity()F HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->isLookingAhead()Z +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->layout(IILjava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/layout/MeasureResult; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->setDensity(F)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->setFontScale(F)V HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;->subcompose(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/util/List; +Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->(IILjava/util/Map;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->getAlignmentLines()Ljava/util/Map; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->getHeight()I +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->getWidth()I +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$Scope$layout$1;->placeChildren()V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1; HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;Lkotlin/jvm/functions/Function2;Ljava/lang/String;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1; -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->(Landroidx/compose/ui/layout/MeasureResult;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;I)V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->getAlignmentLines()Ljava/util/Map; -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->getHeight()I -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->getWidth()I -HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure$1;->placeChildren()V -Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$intermediateMeasurePolicy$1; -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$intermediateMeasurePolicy$1;->()V -HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$intermediateMeasurePolicy$1;->()V +Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2; +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->(Landroidx/compose/ui/layout/MeasureResult;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;ILandroidx/compose/ui/layout/MeasureResult;)V +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->getAlignmentLines()Ljava/util/Map; +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->getHeight()I +HSPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->getWidth()I +HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$createMeasurePolicy$1$measure-3p2s80s$$inlined$createMeasureResult$2;->placeChildren()V Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1; HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1;->(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState$NodeState;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/ui/layout/LayoutNodeSubcompositionsState$subcompose$3$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/layout/LookaheadCapablePlacementScope; +HPLandroidx/compose/ui/layout/LookaheadCapablePlacementScope;->(Landroidx/compose/ui/node/LookaheadCapablePlaceable;)V +HPLandroidx/compose/ui/layout/LookaheadCapablePlacementScope;->getParentLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; Landroidx/compose/ui/layout/Measurable; Landroidx/compose/ui/layout/MeasurePolicy; Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/layout/MeasureScope; HPLandroidx/compose/ui/layout/MeasureScope;->layout$default(Landroidx/compose/ui/layout/MeasureScope;IILjava/util/Map;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Landroidx/compose/ui/layout/MeasureResult; -HPLandroidx/compose/ui/layout/MeasureScope;->layout(IILjava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/layout/MeasureResult; -Landroidx/compose/ui/layout/MeasureScope$layout$1; -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->(IILjava/util/Map;Landroidx/compose/ui/layout/MeasureScope;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->getAlignmentLines()Ljava/util/Map; -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->getHeight()I -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->getWidth()I -HPLandroidx/compose/ui/layout/MeasureScope$layout$1;->placeChildren()V Landroidx/compose/ui/layout/Measured; Landroidx/compose/ui/layout/NoOpSubcomposeSlotReusePolicy; HSPLandroidx/compose/ui/layout/NoOpSubcomposeSlotReusePolicy;->()V @@ -7764,9 +8351,12 @@ Landroidx/compose/ui/layout/OnRemeasuredModifier; Landroidx/compose/ui/layout/OnRemeasuredModifierKt; HPLandroidx/compose/ui/layout/OnRemeasuredModifierKt;->onSizeChanged(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/layout/OnSizeChangedModifier; -HPLandroidx/compose/ui/layout/OnSizeChangedModifier;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/layout/OnSizeChangedModifier;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/layout/OnSizeChangedModifier;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/layout/OnSizeChangedModifier;->onRemeasured-ozmzZPI(J)V +HPLandroidx/compose/ui/layout/OnSizeChangedModifier;->onRemeasured-ozmzZPI(J)V +Landroidx/compose/ui/layout/OuterPlacementScope; +HSPLandroidx/compose/ui/layout/OuterPlacementScope;->(Landroidx/compose/ui/node/Owner;)V +HSPLandroidx/compose/ui/layout/OuterPlacementScope;->getParentLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; Landroidx/compose/ui/layout/ParentDataModifier; PLandroidx/compose/ui/layout/PinnableContainerKt;->()V PLandroidx/compose/ui/layout/PinnableContainerKt;->getLocalPinnableContainer()Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -7779,11 +8369,11 @@ HSPLandroidx/compose/ui/layout/Placeable;->()V HPLandroidx/compose/ui/layout/Placeable;->()V HPLandroidx/compose/ui/layout/Placeable;->access$getApparentToRealOffset-nOcc-ac(Landroidx/compose/ui/layout/Placeable;)J HPLandroidx/compose/ui/layout/Placeable;->access$placeAt-f8xVGno(Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/ui/layout/Placeable;->getApparentToRealOffset-nOcc-ac()J +HPLandroidx/compose/ui/layout/Placeable;->getApparentToRealOffset-nOcc-ac()J HPLandroidx/compose/ui/layout/Placeable;->getHeight()I PLandroidx/compose/ui/layout/Placeable;->getMeasuredHeight()I HPLandroidx/compose/ui/layout/Placeable;->getMeasuredSize-YbymL2g()J -HSPLandroidx/compose/ui/layout/Placeable;->getMeasuredWidth()I +PLandroidx/compose/ui/layout/Placeable;->getMeasuredWidth()I HPLandroidx/compose/ui/layout/Placeable;->getMeasurementConstraints-msEJaDk()J HPLandroidx/compose/ui/layout/Placeable;->getWidth()I HPLandroidx/compose/ui/layout/Placeable;->onMeasuredSizeChanged()V @@ -7791,16 +8381,8 @@ HPLandroidx/compose/ui/layout/Placeable;->setMeasuredSize-ozmzZPI(J)V HPLandroidx/compose/ui/layout/Placeable;->setMeasurementConstraints-BRTryo0(J)V Landroidx/compose/ui/layout/Placeable$PlacementScope; HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->()V -HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->()V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getLayoutDelegate$cp()Landroidx/compose/ui/node/LayoutNodeLayoutDelegate; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getParentLayoutDirection$cp()Landroidx/compose/ui/unit/LayoutDirection; +HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->()V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getParentLayoutDirection(Landroidx/compose/ui/layout/Placeable$PlacementScope;)Landroidx/compose/ui/unit/LayoutDirection; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$getParentWidth$cp()I -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$get_coordinates$cp()Landroidx/compose/ui/layout/LayoutCoordinates; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$setLayoutDelegate$cp(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$setParentLayoutDirection$cp(Landroidx/compose/ui/unit/LayoutDirection;)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$setParentWidth$cp(I)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->access$set_coordinates$cp(Landroidx/compose/ui/layout/LayoutCoordinates;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->place$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;IIFILjava/lang/Object;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->place(Landroidx/compose/ui/layout/Placeable;IIF)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->place-70tqf50$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;JFILjava/lang/Object;)V @@ -7809,22 +8391,15 @@ HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelative$default(L HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelative(Landroidx/compose/ui/layout/Placeable;IIF)V HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V HSPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer(Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;)V -PLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer-aW-9-wM$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V +HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer-aW-9-wM$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeRelativeWithLayer-aW-9-wM(Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeWithLayer$default(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;ILjava/lang/Object;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeWithLayer(Landroidx/compose/ui/layout/Placeable;IIFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/layout/Placeable$PlacementScope;->placeWithLayer-aW-9-wM(Landroidx/compose/ui/layout/Placeable;JFLkotlin/jvm/functions/Function1;)V -Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion; -HSPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->()V -HSPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->access$configureForPlacingForAlignment(Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion;Landroidx/compose/ui/node/LookaheadCapablePlaceable;)Z -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->access$getParentLayoutDirection(Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion;)Landroidx/compose/ui/unit/LayoutDirection; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->access$getParentWidth(Landroidx/compose/ui/layout/Placeable$PlacementScope$Companion;)I -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->configureForPlacingForAlignment(Landroidx/compose/ui/node/LookaheadCapablePlaceable;)Z -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->getParentLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; -HPLandroidx/compose/ui/layout/Placeable$PlacementScope$Companion;->getParentWidth()I Landroidx/compose/ui/layout/PlaceableKt; HSPLandroidx/compose/ui/layout/PlaceableKt;->()V +HPLandroidx/compose/ui/layout/PlaceableKt;->PlacementScope(Landroidx/compose/ui/node/LookaheadCapablePlaceable;)Landroidx/compose/ui/layout/Placeable$PlacementScope; +HSPLandroidx/compose/ui/layout/PlaceableKt;->PlacementScope(Landroidx/compose/ui/node/Owner;)Landroidx/compose/ui/layout/Placeable$PlacementScope; HPLandroidx/compose/ui/layout/PlaceableKt;->access$getDefaultConstraints$p()J HSPLandroidx/compose/ui/layout/PlaceableKt;->access$getDefaultLayerBlock$p()Lkotlin/jvm/functions/Function1; Landroidx/compose/ui/layout/PlaceableKt$DefaultLayerBlock$1; @@ -7854,29 +8429,19 @@ Landroidx/compose/ui/layout/ScaleFactorKt; HPLandroidx/compose/ui/layout/ScaleFactorKt;->ScaleFactor(FF)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-UQTWf7w(JJ)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J -Landroidx/compose/ui/layout/SubcomposeIntermediateMeasureScope; Landroidx/compose/ui/layout/SubcomposeLayoutKt; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->()V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ComposeNode$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ComposeNode$1;->(Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ComposeNode$1;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$10;->invoke()V -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1;->(Landroidx/compose/runtime/State;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1$invoke$$inlined$onDispose$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1$invoke$$inlined$onDispose$1;->(Landroidx/compose/runtime/State;)V -PLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$11$1$invoke$$inlined$onDispose$1;->dispose()V -PLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$12;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;II)V -Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$6; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$6;->()V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$6;->()V +Landroidx/compose/ui/layout/SubcomposeLayoutKt$ReusedSlotId$1; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$ReusedSlotId$1;->()V +Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ReusableComposeNode$1; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ReusableComposeNode$1;->(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$$inlined$ReusableComposeNode$1;->invoke()Ljava/lang/Object; +Landroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4;->invoke()Ljava/lang/Object; +HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt$SubcomposeLayout$4;->invoke()V Landroidx/compose/ui/layout/SubcomposeLayoutState; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->()V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->()V @@ -7884,10 +8449,8 @@ HPLandroidx/compose/ui/layout/SubcomposeLayoutState;->(Landroidx/compose/u HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->access$getSlotReusePolicy$p(Landroidx/compose/ui/layout/SubcomposeLayoutState;)Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->access$getState(Landroidx/compose/ui/layout/SubcomposeLayoutState;)Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->access$set_state$p(Landroidx/compose/ui/layout/SubcomposeLayoutState;Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V -PLandroidx/compose/ui/layout/SubcomposeLayoutState;->disposeCurrentNodes$ui_release()V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->forceRecomposeChildren$ui_release()V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetCompositionContext$ui_release()Lkotlin/jvm/functions/Function2; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetIntermediateMeasurePolicy$ui_release()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetMeasurePolicy$ui_release()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getSetRoot$ui_release()Lkotlin/jvm/functions/Function2; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState;->getState()Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; @@ -7895,13 +8458,9 @@ Landroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;)V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setCompositionContext$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1; -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Lkotlin/jvm/functions/Function2;)V -HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setIntermediateMeasurePolicy$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V -HPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Lkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->invoke(Landroidx/compose/ui/node/LayoutNode;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setMeasurePolicy$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/layout/SubcomposeLayoutState$setRoot$1; HSPLandroidx/compose/ui/layout/SubcomposeLayoutState$setRoot$1;->(Landroidx/compose/ui/layout/SubcomposeLayoutState;)V @@ -7919,6 +8478,7 @@ PLandroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;->contains(Lja PLandroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;->iterator()Ljava/util/Iterator; Landroidx/compose/ui/layout/VerticalAlignmentLine; Landroidx/compose/ui/modifier/BackwardsCompatLocalMap; +HSPLandroidx/compose/ui/modifier/BackwardsCompatLocalMap;->()V HSPLandroidx/compose/ui/modifier/BackwardsCompatLocalMap;->(Landroidx/compose/ui/modifier/ModifierLocalProvider;)V Landroidx/compose/ui/modifier/EmptyMap; HSPLandroidx/compose/ui/modifier/EmptyMap;->()V @@ -7933,6 +8493,7 @@ Landroidx/compose/ui/modifier/ModifierLocalConsumer; Landroidx/compose/ui/modifier/ModifierLocalKt; HSPLandroidx/compose/ui/modifier/ModifierLocalKt;->modifierLocalOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/modifier/ProvidableModifierLocal; Landroidx/compose/ui/modifier/ModifierLocalManager; +HSPLandroidx/compose/ui/modifier/ModifierLocalManager;->()V HSPLandroidx/compose/ui/modifier/ModifierLocalManager;->(Landroidx/compose/ui/node/Owner;)V PLandroidx/compose/ui/modifier/ModifierLocalManager;->invalidate()V PLandroidx/compose/ui/modifier/ModifierLocalManager;->removedProvider(Landroidx/compose/ui/node/BackwardsCompatNode;Landroidx/compose/ui/modifier/ModifierLocal;)V @@ -7947,6 +8508,7 @@ HSPLandroidx/compose/ui/modifier/ModifierLocalMap;->(Lkotlin/jvm/internal/ Landroidx/compose/ui/modifier/ModifierLocalModifierNode; HSPLandroidx/compose/ui/modifier/ModifierLocalModifierNode;->getProvidedValues()Landroidx/compose/ui/modifier/ModifierLocalMap; Landroidx/compose/ui/modifier/ModifierLocalModifierNodeKt; +HSPLandroidx/compose/ui/modifier/ModifierLocalModifierNodeKt;->modifierLocalMapOf()Landroidx/compose/ui/modifier/ModifierLocalMap; HPLandroidx/compose/ui/modifier/ModifierLocalModifierNodeKt;->modifierLocalMapOf(Lkotlin/Pair;)Landroidx/compose/ui/modifier/ModifierLocalMap; Landroidx/compose/ui/modifier/ModifierLocalProvider; Landroidx/compose/ui/modifier/ModifierLocalReadScope; @@ -7954,11 +8516,13 @@ Landroidx/compose/ui/modifier/ProvidableModifierLocal; HSPLandroidx/compose/ui/modifier/ProvidableModifierLocal;->()V HSPLandroidx/compose/ui/modifier/ProvidableModifierLocal;->(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/ui/modifier/SingleLocalMap; +HSPLandroidx/compose/ui/modifier/SingleLocalMap;->()V HSPLandroidx/compose/ui/modifier/SingleLocalMap;->(Landroidx/compose/ui/modifier/ModifierLocal;)V HSPLandroidx/compose/ui/modifier/SingleLocalMap;->contains$ui_release(Landroidx/compose/ui/modifier/ModifierLocal;)Z HSPLandroidx/compose/ui/modifier/SingleLocalMap;->set$ui_release(Landroidx/compose/ui/modifier/ModifierLocal;Ljava/lang/Object;)V HSPLandroidx/compose/ui/modifier/SingleLocalMap;->setValue(Ljava/lang/Object;)V Landroidx/compose/ui/node/AlignmentLines; +HSPLandroidx/compose/ui/node/AlignmentLines;->()V HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;)V HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/node/AlignmentLines;->access$addAlignmentLine(Landroidx/compose/ui/node/AlignmentLines;Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V @@ -7985,31 +8549,33 @@ HPLandroidx/compose/ui/node/AlignmentLines$recalculate$1;->invoke(Landroidx/comp HSPLandroidx/compose/ui/node/AlignmentLines$recalculate$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/AlignmentLinesOwner; Landroidx/compose/ui/node/BackwardsCompatNode; +HSPLandroidx/compose/ui/node/BackwardsCompatNode;->()V HPLandroidx/compose/ui/node/BackwardsCompatNode;->(Landroidx/compose/ui/Modifier$Element;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->getCurrent(Landroidx/compose/ui/modifier/ModifierLocal;)Ljava/lang/Object; HSPLandroidx/compose/ui/node/BackwardsCompatNode;->getElement()Landroidx/compose/ui/Modifier$Element; +HSPLandroidx/compose/ui/node/BackwardsCompatNode;->getProvidedValues()Landroidx/compose/ui/modifier/ModifierLocalMap; HPLandroidx/compose/ui/node/BackwardsCompatNode;->initializeModifier(Z)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; HSPLandroidx/compose/ui/node/BackwardsCompatNode;->modifyParentData(Landroidx/compose/ui/unit/Density;Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/node/BackwardsCompatNode;->onAttach()V +HSPLandroidx/compose/ui/node/BackwardsCompatNode;->onAttach()V PLandroidx/compose/ui/node/BackwardsCompatNode;->onDetach()V PLandroidx/compose/ui/node/BackwardsCompatNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->onMeasureResultChanged()V HSPLandroidx/compose/ui/node/BackwardsCompatNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V -HSPLandroidx/compose/ui/node/BackwardsCompatNode;->onRemeasured-ozmzZPI(J)V +HPLandroidx/compose/ui/node/BackwardsCompatNode;->onRemeasured-ozmzZPI(J)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->setElement(Landroidx/compose/ui/Modifier$Element;)V HPLandroidx/compose/ui/node/BackwardsCompatNode;->unInitializeModifier()V HPLandroidx/compose/ui/node/BackwardsCompatNode;->updateModifierLocalConsumer()V HSPLandroidx/compose/ui/node/BackwardsCompatNode;->updateModifierLocalProvider(Landroidx/compose/ui/modifier/ModifierLocalProvider;)V -Landroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1; -HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1;->(Landroidx/compose/ui/node/BackwardsCompatNode;)V -HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$1;->invoke()V +Landroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2; +HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2;->(Landroidx/compose/ui/node/BackwardsCompatNode;)V +HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2;->invoke()Ljava/lang/Object; +HSPLandroidx/compose/ui/node/BackwardsCompatNode$initializeModifier$2;->invoke()V Landroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1; HSPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->(Landroidx/compose/ui/node/BackwardsCompatNode;)V HSPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->invoke()Ljava/lang/Object; -HSPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->invoke()V +HPLandroidx/compose/ui/node/BackwardsCompatNode$updateModifierLocalConsumer$1;->invoke()V Landroidx/compose/ui/node/BackwardsCompatNodeKt; HSPLandroidx/compose/ui/node/BackwardsCompatNodeKt;->()V PLandroidx/compose/ui/node/BackwardsCompatNodeKt;->access$getDetachedModifierLocalReadScope$p()Landroidx/compose/ui/node/BackwardsCompatNodeKt$DetachedModifierLocalReadScope$1; @@ -8028,8 +8594,8 @@ HSPLandroidx/compose/ui/node/BackwardsCompatNodeKt$updateModifierLocalConsumer$1 Landroidx/compose/ui/node/CanFocusChecker; HSPLandroidx/compose/ui/node/CanFocusChecker;->()V HSPLandroidx/compose/ui/node/CanFocusChecker;->()V -HPLandroidx/compose/ui/node/CanFocusChecker;->isCanFocusSet()Z -HPLandroidx/compose/ui/node/CanFocusChecker;->reset()V +HSPLandroidx/compose/ui/node/CanFocusChecker;->isCanFocusSet()Z +HSPLandroidx/compose/ui/node/CanFocusChecker;->reset()V HPLandroidx/compose/ui/node/CanFocusChecker;->setCanFocus(Z)V Landroidx/compose/ui/node/ComposeUiNode; HSPLandroidx/compose/ui/node/ComposeUiNode;->()V @@ -8038,12 +8604,9 @@ HSPLandroidx/compose/ui/node/ComposeUiNode$Companion;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion;->()V HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getConstructor()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetCompositeKeyHash()Lkotlin/jvm/functions/Function2; -HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetDensity()Lkotlin/jvm/functions/Function2; -HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetLayoutDirection()Lkotlin/jvm/functions/Function2; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetMeasurePolicy()Lkotlin/jvm/functions/Function2; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetModifier()Lkotlin/jvm/functions/Function2; HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetResolvedCompositionLocals()Lkotlin/jvm/functions/Function2; -HPLandroidx/compose/ui/node/ComposeUiNode$Companion;->getSetViewConfiguration()Lkotlin/jvm/functions/Function2; Landroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1;->()V @@ -8052,13 +8615,9 @@ HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetCompositeKeyHash$1;->invo Landroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->()V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->invoke(Landroidx/compose/ui/node/ComposeUiNode;Landroidx/compose/ui/unit/Density;)V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetDensity$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->()V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->invoke(Landroidx/compose/ui/node/ComposeUiNode;Landroidx/compose/ui/unit/LayoutDirection;)V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetLayoutDirection$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/ComposeUiNode$Companion$SetMeasurePolicy$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetMeasurePolicy$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetMeasurePolicy$1;->()V @@ -8077,8 +8636,6 @@ HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetResolvedCompositionLocals Landroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->()V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->invoke(Landroidx/compose/ui/node/ComposeUiNode;Landroidx/compose/ui/platform/ViewConfiguration;)V -HPLandroidx/compose/ui/node/ComposeUiNode$Companion$SetViewConfiguration$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/ComposeUiNode$Companion$VirtualConstructor$1; HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$VirtualConstructor$1;->()V HSPLandroidx/compose/ui/node/ComposeUiNode$Companion$VirtualConstructor$1;->()V @@ -8087,7 +8644,9 @@ Landroidx/compose/ui/node/CompositionLocalConsumerModifierNodeKt; HPLandroidx/compose/ui/node/CompositionLocalConsumerModifierNodeKt;->currentValueOf(Landroidx/compose/ui/node/CompositionLocalConsumerModifierNode;Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; Landroidx/compose/ui/node/DelegatableNode; Landroidx/compose/ui/node/DelegatableNodeKt; +PLandroidx/compose/ui/node/DelegatableNodeKt;->access$addLayoutNodeChildren(Landroidx/compose/runtime/collection/MutableVector;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/DelegatableNodeKt;->access$pop(Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/ui/Modifier$Node; +PLandroidx/compose/ui/node/DelegatableNodeKt;->addLayoutNodeChildren(Landroidx/compose/runtime/collection/MutableVector;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/DelegatableNodeKt;->asLayoutModifierNode(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/node/LayoutModifierNode; HPLandroidx/compose/ui/node/DelegatableNodeKt;->has-64DMado(Landroidx/compose/ui/node/DelegatableNode;I)Z HPLandroidx/compose/ui/node/DelegatableNodeKt;->isDelegationRoot(Landroidx/compose/ui/node/DelegatableNode;)Z @@ -8105,11 +8664,12 @@ HPLandroidx/compose/ui/node/DelegatingNode;->markAsAttached$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->markAsDetached$ui_release()V PLandroidx/compose/ui/node/DelegatingNode;->reset$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->runAttachLifecycle$ui_release()V -HPLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V +PLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->updateCoordinator$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/DelegatingNode;->updateNodeKindSet(IZ)V HPLandroidx/compose/ui/node/DelegatingNode;->validateDelegateKindSet(ILandroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/DepthSortedSet; +HSPLandroidx/compose/ui/node/DepthSortedSet;->()V HSPLandroidx/compose/ui/node/DepthSortedSet;->(Z)V HPLandroidx/compose/ui/node/DepthSortedSet;->add(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/DepthSortedSet;->contains(Landroidx/compose/ui/node/LayoutNode;)Z @@ -8124,14 +8684,16 @@ Landroidx/compose/ui/node/DepthSortedSet$mapOfOriginalDepth$2; HSPLandroidx/compose/ui/node/DepthSortedSet$mapOfOriginalDepth$2;->()V HSPLandroidx/compose/ui/node/DepthSortedSet$mapOfOriginalDepth$2;->()V Landroidx/compose/ui/node/DepthSortedSetsForDifferentPasses; +HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->()V HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->(Z)V HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->access$getLookaheadSet$p(Landroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;)Landroidx/compose/ui/node/DepthSortedSet; HSPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->access$getSet$p(Landroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;)Landroidx/compose/ui/node/DepthSortedSet; HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->add(Landroidx/compose/ui/node/LayoutNode;Z)V +HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->contains(Landroidx/compose/ui/node/LayoutNode;Z)Z HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->isEmpty()Z +HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->isEmpty(Z)Z HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->isNotEmpty()Z HPLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->remove(Landroidx/compose/ui/node/LayoutNode;)Z -PLandroidx/compose/ui/node/DepthSortedSetsForDifferentPasses;->remove(Landroidx/compose/ui/node/LayoutNode;Z)Z Landroidx/compose/ui/node/DrawModifierNode; HSPLandroidx/compose/ui/node/DrawModifierNode;->onMeasureResultChanged()V Landroidx/compose/ui/node/DrawModifierNodeKt; @@ -8139,6 +8701,7 @@ HPLandroidx/compose/ui/node/DrawModifierNodeKt;->invalidateDraw(Landroidx/compos PLandroidx/compose/ui/node/ForceUpdateElement;->(Landroidx/compose/ui/node/ModifierNodeElement;)V Landroidx/compose/ui/node/GlobalPositionAwareModifierNode; Landroidx/compose/ui/node/HitTestResult; +HSPLandroidx/compose/ui/node/HitTestResult;->()V HSPLandroidx/compose/ui/node/HitTestResult;->()V Landroidx/compose/ui/node/InnerNodeCoordinator; HSPLandroidx/compose/ui/node/InnerNodeCoordinator;->()V @@ -8174,10 +8737,11 @@ HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->(Landroidx/com HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->calculateAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLayoutModifierNode()Landroidx/compose/ui/node/LayoutModifierNode; HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLookaheadDelegate()Landroidx/compose/ui/node/LookaheadDelegate; -HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getWrappedNonNull()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->performDraw(Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V Landroidx/compose/ui/node/LayoutModifierNodeCoordinator$Companion; HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator$Companion;->()V HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -8188,11 +8752,11 @@ Landroidx/compose/ui/node/LayoutModifierNodeKt; HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateLayer(Landroidx/compose/ui/node/LayoutModifierNode;)V HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateMeasurement(Landroidx/compose/ui/node/LayoutModifierNode;)V Landroidx/compose/ui/node/LayoutNode; -HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$DzqjNqe9pzqBZZ9IiiTtp-hu0n4(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->()V HPLandroidx/compose/ui/node/LayoutNode;->(ZI)V HPLandroidx/compose/ui/node/LayoutNode;->(ZIILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$38(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$39(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->access$getConstructor$cp()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/LayoutNode;->access$setIgnoreRemeasureRequests$p(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V @@ -8209,7 +8773,7 @@ HSPLandroidx/compose/ui/node/LayoutNode;->getCoordinates()Landroidx/compose/ui/l HPLandroidx/compose/ui/node/LayoutNode;->getDensity()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/ui/node/LayoutNode;->getDepth$ui_release()I HPLandroidx/compose/ui/node/LayoutNode;->getFoldedChildren$ui_release()Ljava/util/List; -HSPLandroidx/compose/ui/node/LayoutNode;->getHasFixedInnerContentConstraints$ui_release()Z +PLandroidx/compose/ui/node/LayoutNode;->getHasFixedInnerContentConstraints$ui_release()Z HSPLandroidx/compose/ui/node/LayoutNode;->getHeight()I HPLandroidx/compose/ui/node/LayoutNode;->getInnerCoordinator$ui_release()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNode;->getInnerLayerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; @@ -8218,7 +8782,7 @@ HPLandroidx/compose/ui/node/LayoutNode;->getLayoutDelegate$ui_release()Landroidx HPLandroidx/compose/ui/node/LayoutNode;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/node/LayoutNode;->getLayoutPending$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getLayoutState$ui_release()Landroidx/compose/ui/node/LayoutNode$LayoutState; -HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadLayoutPending$ui_release()Z +HSPLandroidx/compose/ui/node/LayoutNode;->getLookaheadLayoutPending$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadMeasurePending$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadPassDelegate$ui_release()Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$LookaheadPassDelegate; HPLandroidx/compose/ui/node/LayoutNode;->getLookaheadRoot$ui_release()Landroidx/compose/ui/node/LayoutNode; @@ -8249,22 +8813,27 @@ HPLandroidx/compose/ui/node/LayoutNode;->invalidateParentData$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateSemantics$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateUnfoldedVirtualChildren()V HPLandroidx/compose/ui/node/LayoutNode;->isAttached()Z +HPLandroidx/compose/ui/node/LayoutNode;->isDeactivated()Z HPLandroidx/compose/ui/node/LayoutNode;->isPlaced()Z +HPLandroidx/compose/ui/node/LayoutNode;->isPlacedByParent()Z HSPLandroidx/compose/ui/node/LayoutNode;->isValidOwnerScope()Z PLandroidx/compose/ui/node/LayoutNode;->markLayoutPending$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->markMeasurePending$ui_release()V +PLandroidx/compose/ui/node/LayoutNode;->move$ui_release(III)V HPLandroidx/compose/ui/node/LayoutNode;->onChildRemoved(Landroidx/compose/ui/node/LayoutNode;)V PLandroidx/compose/ui/node/LayoutNode;->onDeactivate()V HPLandroidx/compose/ui/node/LayoutNode;->onDensityOrLayoutDirectionChanged()V HPLandroidx/compose/ui/node/LayoutNode;->onRelease()V HPLandroidx/compose/ui/node/LayoutNode;->onZSortedChildrenInvalidated$ui_release()V -HPLandroidx/compose/ui/node/LayoutNode;->place$ui_release(II)V +HSPLandroidx/compose/ui/node/LayoutNode;->place$ui_release(II)V HPLandroidx/compose/ui/node/LayoutNode;->recreateUnfoldedChildrenIfDirty()V HPLandroidx/compose/ui/node/LayoutNode;->remeasure-_Sx5XlM$ui_release$default(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/unit/Constraints;ILjava/lang/Object;)Z HPLandroidx/compose/ui/node/LayoutNode;->remeasure-_Sx5XlM$ui_release(Landroidx/compose/ui/unit/Constraints;)Z HPLandroidx/compose/ui/node/LayoutNode;->removeAll$ui_release()V PLandroidx/compose/ui/node/LayoutNode;->removeAt$ui_release(II)V HPLandroidx/compose/ui/node/LayoutNode;->replace$ui_release()V +PLandroidx/compose/ui/node/LayoutNode;->requestRelayout$ui_release$default(Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V +PLandroidx/compose/ui/node/LayoutNode;->requestRelayout$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->requestRemeasure$ui_release$default(Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V HPLandroidx/compose/ui/node/LayoutNode;->requestRemeasure$ui_release(ZZ)V HSPLandroidx/compose/ui/node/LayoutNode;->rescheduleRemeasureOrRelayout$ui_release(Landroidx/compose/ui/node/LayoutNode;)V @@ -8278,8 +8847,8 @@ HPLandroidx/compose/ui/node/LayoutNode;->setInnerLayerCoordinatorIsDirty$ui_rele HPLandroidx/compose/ui/node/LayoutNode;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/node/LayoutNode;->setLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->setMeasurePolicy(Landroidx/compose/ui/layout/MeasurePolicy;)V -HPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V -HSPLandroidx/compose/ui/node/LayoutNode;->setNeedsOnPositionedDispatch$ui_release(Z)V +HSPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V +HPLandroidx/compose/ui/node/LayoutNode;->setNeedsOnPositionedDispatch$ui_release(Z)V HSPLandroidx/compose/ui/node/LayoutNode;->setSubcompositionsState$ui_release(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V HPLandroidx/compose/ui/node/LayoutNode;->setViewConfiguration(Landroidx/compose/ui/platform/ViewConfiguration;)V HPLandroidx/compose/ui/node/LayoutNode;->updateChildrenIfDirty$ui_release()V @@ -8305,6 +8874,7 @@ HSPLandroidx/compose/ui/node/LayoutNode$LayoutState;->()V HSPLandroidx/compose/ui/node/LayoutNode$LayoutState;->(Ljava/lang/String;I)V HSPLandroidx/compose/ui/node/LayoutNode$LayoutState;->values()[Landroidx/compose/ui/node/LayoutNode$LayoutState; Landroidx/compose/ui/node/LayoutNode$NoIntrinsicsMeasurePolicy; +HSPLandroidx/compose/ui/node/LayoutNode$NoIntrinsicsMeasurePolicy;->()V HSPLandroidx/compose/ui/node/LayoutNode$NoIntrinsicsMeasurePolicy;->(Ljava/lang/String;)V Landroidx/compose/ui/node/LayoutNode$UsageByParent; HSPLandroidx/compose/ui/node/LayoutNode$UsageByParent;->$values()[Landroidx/compose/ui/node/LayoutNode$UsageByParent; @@ -8318,26 +8888,27 @@ HPLandroidx/compose/ui/node/LayoutNode$_foldedChildren$1;->(Landroidx/comp HPLandroidx/compose/ui/node/LayoutNode$_foldedChildren$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNode$_foldedChildren$1;->invoke()V Landroidx/compose/ui/node/LayoutNodeAlignmentLines; +HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->()V HPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;)V HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->calculatePositionInParent-R5De75A(Landroidx/compose/ui/node/NodeCoordinator;J)J HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->getAlignmentLinesMap(Landroidx/compose/ui/node/NodeCoordinator;)Ljava/util/Map; HSPLandroidx/compose/ui/node/LayoutNodeAlignmentLines;->getPositionFor(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/layout/AlignmentLine;)I Landroidx/compose/ui/node/LayoutNodeDrawScope; +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->()V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->(Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope;)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->(Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->draw-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawContent()V +HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawDirect-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/node/DrawModifierNode;)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->getCenter-F1C5BW0()J HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->getDrawContext()Landroidx/compose/ui/graphics/drawscope/DrawContext; HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->getSize-NH-jbRc()J -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->performDraw(Landroidx/compose/ui/node/DrawModifierNode;Landroidx/compose/ui/graphics/Canvas;)V -PLandroidx/compose/ui/node/LayoutNodeDrawScope;->roundToPx-0680j_4(F)I HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->toPx-0680j_4(F)F Landroidx/compose/ui/node/LayoutNodeDrawScopeKt; HPLandroidx/compose/ui/node/LayoutNodeDrawScopeKt;->access$nextDrawNode(Landroidx/compose/ui/node/DelegatableNode;)Landroidx/compose/ui/Modifier$Node; @@ -8345,12 +8916,14 @@ HPLandroidx/compose/ui/node/LayoutNodeDrawScopeKt;->nextDrawNode(Landroidx/compo Landroidx/compose/ui/node/LayoutNodeKt; HSPLandroidx/compose/ui/node/LayoutNodeKt;->()V HPLandroidx/compose/ui/node/LayoutNodeKt;->access$getDefaultDensity$p()Landroidx/compose/ui/unit/Density; +HPLandroidx/compose/ui/node/LayoutNodeKt;->requireOwner(Landroidx/compose/ui/node/LayoutNode;)Landroidx/compose/ui/node/Owner; Landroidx/compose/ui/node/LayoutNodeLayoutDelegate; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getLayoutNode$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getLayoutPendingForAlignment$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getNextChildPlaceOrder$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)I -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$isOutMostLookaheadRoot(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;)Z +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$getPerformMeasureConstraints$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)J HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$performMeasure-BRTryo0(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;J)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$setLayoutPending$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->access$setLayoutPendingForAlignment$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Z)V @@ -8372,7 +8945,6 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->getMeasurePending$ui_rele HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->getOuterCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->getWidth$ui_release()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->invalidateParentData()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->isOutMostLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->markChildrenDirty()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->markLayoutPending$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->markMeasurePending$ui_release()V @@ -8385,6 +8957,9 @@ Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$checkChildrenPlaceOrderForUpdates(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$clearPlaceOrder(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorLayerBlock$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorPosition$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)J +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorZIndex$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)F HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->calculateAlignmentLines()Ljava/util/Map; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->checkChildrenPlaceOrderForUpdates()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->clearPlaceOrder()V @@ -8395,7 +8970,6 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getCh HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getLastConstraints-DWUhwKw()Landroidx/compose/ui/unit/Constraints; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredWidth()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getPlaceOrder$ui_release()I @@ -8403,13 +8977,17 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getZI HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateIntrinsicsParent(Z)V HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateParentData()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlaced()Z +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlacedByParent()Z +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->layoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V PLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markSubtreeAsNotPlaced()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->notifyChildrenUsingCoordinatesWhilePlacing()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onBeforeLayoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodeDetached()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodePlaced$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->replace()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->setChildDelegatesDirty$ui_release(Z)V @@ -8419,78 +8997,93 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->track HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->updateParentData()Z Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$WhenMappings; HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$WhenMappings;->()V -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;Landroidx/compose/ui/node/LayoutNode;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1;->invoke()V -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->()V -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->()V -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildren$1$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1;->(Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;JF)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinator$1;->invoke()V -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->()V -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;J)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasure$2;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$layoutChildrenBlock$1$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$placeOuterCoordinatorBlock$1;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->()V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->invoke(Landroidx/compose/ui/node/AlignmentLinesOwner;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate$remeasure$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$performMeasureBlock$1;->invoke()V +Landroidx/compose/ui/node/LayoutNodeLayoutDelegateKt; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegateKt;->isOutMostLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)Z Landroidx/compose/ui/node/LookaheadCapablePlaceable; +HSPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->()V HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->()V HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->get(Landroidx/compose/ui/layout/AlignmentLine;)I +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->getPlacementScope()Landroidx/compose/ui/layout/Placeable$PlacementScope; HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->invalidateAlignmentLinesFromPositionChange(Landroidx/compose/ui/node/NodeCoordinator;)V +HSPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->isLookingAhead()Z HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->isPlacingForAlignment$ui_release()Z HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->isShallowPlacing$ui_release()Z +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->layout(IILjava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/layout/MeasureResult; HPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->setPlacingForAlignment$ui_release(Z)V HSPLandroidx/compose/ui/node/LookaheadCapablePlaceable;->setShallowPlacing$ui_release(Z)V +Landroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1; +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->(IILjava/util/Map;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/node/LookaheadCapablePlaceable;)V +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->getAlignmentLines()Ljava/util/Map; +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->getHeight()I +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->getWidth()I +HPLandroidx/compose/ui/node/LookaheadCapablePlaceable$layout$1;->placeChildren()V Landroidx/compose/ui/node/MeasureAndLayoutDelegate; -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->()V +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->access$getRoot$p(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;)Landroidx/compose/ui/node/LayoutNode; -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->access$remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->callOnLayoutCompletedListeners()V PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->dispatchOnPositionedCallbacks$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;ZILjava/lang/Object;)V HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->dispatchOnPositionedCallbacks(Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->doRemeasure-sdFAvZA(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/unit/Constraints;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtree(Landroidx/compose/ui/node/LayoutNode;Z)V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtreeInternal(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getCanAffectParent(Landroidx/compose/ui/node/LayoutNode;)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getMeasureAffectsParent(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureAndLayout(Lkotlin/jvm/functions/Function0;)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureOnly()V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureOnly()V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measurePending(Landroidx/compose/ui/node/LayoutNode;Z)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onNodeDetached(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->recurseRemeasure(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;Z)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onlyRemeasureIfScheduled(Landroidx/compose/ui/node/LayoutNode;Z)V +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;ZZ)Z +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;Z)V +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->updateRootConstraints-BRTryo0(J)V Landroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest; +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->()V +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->(Landroidx/compose/ui/node/LayoutNode;ZZ)V +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->getNode()Landroidx/compose/ui/node/LayoutNode; +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isForced()Z +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isLookahead()Z Landroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings; HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings;->()V -Landroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1; -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1;->(Z)V -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)Ljava/lang/Boolean; -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$forceMeasureTheSubtree$pending$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/MeasureScopeWithLayoutNode; Landroidx/compose/ui/node/ModifierNodeElement; HSPLandroidx/compose/ui/node/ModifierNodeElement;->()V HPLandroidx/compose/ui/node/ModifierNodeElement;->()V Landroidx/compose/ui/node/MutableVectorWithMutationTracking; +HSPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->()V HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->(Landroidx/compose/runtime/collection/MutableVector;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->add(ILjava/lang/Object;)V HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->asList()Ljava/util/List; @@ -8500,6 +9093,7 @@ HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->getSize()I HPLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->getVector()Landroidx/compose/runtime/collection/MutableVector; PLandroidx/compose/ui/node/MutableVectorWithMutationTracking;->removeAt(I)Ljava/lang/Object; Landroidx/compose/ui/node/NodeChain; +HSPLandroidx/compose/ui/node/NodeChain;->()V HPLandroidx/compose/ui/node/NodeChain;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeChain;->access$getAggregateChildKindSet(Landroidx/compose/ui/node/NodeChain;)I HPLandroidx/compose/ui/node/NodeChain;->createAndInsertNodeAsChild(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/Modifier$Node; @@ -8520,7 +9114,7 @@ HPLandroidx/compose/ui/node/NodeChain;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->syncAggregateChildKindSet()V HPLandroidx/compose/ui/node/NodeChain;->syncCoordinators()V HPLandroidx/compose/ui/node/NodeChain;->trimChain(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V +HSPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/node/NodeChain;->updateNode(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt; HSPLandroidx/compose/ui/node/NodeChainKt;->()V @@ -8539,22 +9133,24 @@ HSPLandroidx/compose/ui/node/NodeCoordinator;->()V HPLandroidx/compose/ui/node/NodeCoordinator;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$drawContainedDrawModifiers(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$getGraphicsLayerScope$cp()Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; +HPLandroidx/compose/ui/node/NodeCoordinator;->access$getOnCommitAffectingLayer$cp()Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/ui/node/NodeCoordinator;->access$getSnapshotObserver(Landroidx/compose/ui/node/NodeCoordinator;)Landroidx/compose/ui/node/OwnerSnapshotObserver; HPLandroidx/compose/ui/node/NodeCoordinator;->access$headNode(Landroidx/compose/ui/node/NodeCoordinator;Z)Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/ui/node/NodeCoordinator;->access$setLastLayerDrawingWasSkipped$p(Landroidx/compose/ui/node/NodeCoordinator;Z)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$setMeasurementConstraints-BRTryo0(Landroidx/compose/ui/node/NodeCoordinator;J)V +HPLandroidx/compose/ui/node/NodeCoordinator;->draw(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->drawContainedDrawModifiers(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->getAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; -HSPLandroidx/compose/ui/node/NodeCoordinator;->getChild()Landroidx/compose/ui/node/LookaheadCapablePlaceable; -HPLandroidx/compose/ui/node/NodeCoordinator;->getCoordinates()Landroidx/compose/ui/layout/LayoutCoordinates; +HPLandroidx/compose/ui/node/NodeCoordinator;->getChild()Landroidx/compose/ui/node/LookaheadCapablePlaceable; HPLandroidx/compose/ui/node/NodeCoordinator;->getDensity()F HPLandroidx/compose/ui/node/NodeCoordinator;->getFontScale()F HSPLandroidx/compose/ui/node/NodeCoordinator;->getHasMeasureResult()Z HPLandroidx/compose/ui/node/NodeCoordinator;->getLastLayerDrawingWasSkipped$ui_release()Z -HSPLandroidx/compose/ui/node/NodeCoordinator;->getLastMeasurementConstraints-msEJaDk$ui_release()J +PLandroidx/compose/ui/node/NodeCoordinator;->getLastMeasurementConstraints-msEJaDk$ui_release()J HPLandroidx/compose/ui/node/NodeCoordinator;->getLayer()Landroidx/compose/ui/node/OwnedLayer; HPLandroidx/compose/ui/node/NodeCoordinator;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/node/NodeCoordinator;->getLayoutNode()Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/NodeCoordinator;->getMeasureResult$ui_release()Landroidx/compose/ui/layout/MeasureResult; -HPLandroidx/compose/ui/node/NodeCoordinator;->getParent()Landroidx/compose/ui/node/LookaheadCapablePlaceable; HPLandroidx/compose/ui/node/NodeCoordinator;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/NodeCoordinator;->getPosition-nOcc-ac()J HPLandroidx/compose/ui/node/NodeCoordinator;->getSize-YbymL2g()J @@ -8566,8 +9162,6 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->hasNode-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeCoordinator;->head-H91voCI(I)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->headNode(Z)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->invalidateLayer()V -HPLandroidx/compose/ui/node/NodeCoordinator;->invoke(Landroidx/compose/ui/graphics/Canvas;)V -HPLandroidx/compose/ui/node/NodeCoordinator;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/ui/node/NodeCoordinator;->isAttached()Z PLandroidx/compose/ui/node/NodeCoordinator;->isValidOwnerScope()Z HPLandroidx/compose/ui/node/NodeCoordinator;->onLayoutNodeAttach()V @@ -8578,14 +9172,16 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->onRelease()V HPLandroidx/compose/ui/node/NodeCoordinator;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelf-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelfApparentToRealOffset-f8xVGno(JFLkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V -HPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V +HPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V +HSPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrapped$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrappedBy$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/NodeCoordinator;->toParentPosition-MK-Hz9U(J)J HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock$default(Landroidx/compose/ui/node/NodeCoordinator;Lkotlin/jvm/functions/Function1;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock(Lkotlin/jvm/functions/Function1;Z)V HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters$default(Landroidx/compose/ui/node/NodeCoordinator;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters(Z)V Landroidx/compose/ui/node/NodeCoordinator$Companion; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -8596,20 +9192,24 @@ HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$SemanticsSource$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V -HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V +PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V Landroidx/compose/ui/node/NodeCoordinator$HitTestSource; +Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1; +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1; +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->invoke()V Landroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1; HPLandroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/ui/node/NodeCoordinator$invalidateParentLayer$1;->invoke()V -Landroidx/compose/ui/node/NodeCoordinator$invoke$1; -HPLandroidx/compose/ui/node/NodeCoordinator$invoke$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V -HPLandroidx/compose/ui/node/NodeCoordinator$invoke$1;->invoke()Ljava/lang/Object; -HPLandroidx/compose/ui/node/NodeCoordinator$invoke$1;->invoke()V Landroidx/compose/ui/node/NodeCoordinator$updateLayerParameters$1; HPLandroidx/compose/ui/node/NodeCoordinator$updateLayerParameters$1;->(Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator$updateLayerParameters$1;->invoke()Ljava/lang/Object; @@ -8627,27 +9227,37 @@ HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFromIncludingDelega HPLandroidx/compose/ui/node/NodeKindKt;->getIncludeSelfInTraversal-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeKindKt;->specifiesCanFocusProperty(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)Z Landroidx/compose/ui/node/ObserverModifierNode; +PLandroidx/compose/ui/node/ObserverModifierNodeKt;->observeReads(Landroidx/compose/ui/Modifier$Node;Lkotlin/jvm/functions/Function0;)V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope;->()V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope;->(Landroidx/compose/ui/node/ObserverModifierNode;)V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope;->access$getOnObserveReadsChanged$cp()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion;->()V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion;->getOnObserveReadsChanged$ui_release()Lkotlin/jvm/functions/Function1; +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion$OnObserveReadsChanged$1;->()V +PLandroidx/compose/ui/node/ObserverNodeOwnerScope$Companion$OnObserveReadsChanged$1;->()V Landroidx/compose/ui/node/OnPositionedDispatcher; HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatch()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatchHierarchy(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->isNotEmpty()Z -HPLandroidx/compose/ui/node/OnPositionedDispatcher;->onNodePositioned(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->onNodePositioned(Landroidx/compose/ui/node/LayoutNode;)V Landroidx/compose/ui/node/OnPositionedDispatcher$Companion; HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator; HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->()V -HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I -HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Ljava/lang/Object;Ljava/lang/Object;)I +PLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +PLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->compare(Ljava/lang/Object;Ljava/lang/Object;)I Landroidx/compose/ui/node/OwnedLayer; Landroidx/compose/ui/node/Owner; HSPLandroidx/compose/ui/node/Owner;->()V -HSPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V HSPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/Owner;->onRequestMeasure$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZZILjava/lang/Object;)V +PLandroidx/compose/ui/node/Owner;->onRequestRelayout$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V Landroidx/compose/ui/node/Owner$Companion; HSPLandroidx/compose/ui/node/Owner$Companion;->()V HSPLandroidx/compose/ui/node/Owner$Companion;->()V @@ -8655,36 +9265,40 @@ HSPLandroidx/compose/ui/node/Owner$Companion;->getEnableExtraAssertions()Z Landroidx/compose/ui/node/Owner$OnLayoutCompletedListener; Landroidx/compose/ui/node/OwnerScope; Landroidx/compose/ui/node/OwnerSnapshotObserver; +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver;->()V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/ui/node/OwnerSnapshotObserver;->clearInvalidObservations$ui_release()V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeLayoutModifierSnapshotReads$ui_release(Landroidx/compose/ui/node/LayoutNode;ZLkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeLayoutSnapshotReads$ui_release(Landroidx/compose/ui/node/LayoutNode;ZLkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeMeasureSnapshotReads$ui_release(Landroidx/compose/ui/node/LayoutNode;ZLkotlin/jvm/functions/Function0;)V +HPLandroidx/compose/ui/node/OwnerSnapshotObserver;->observeReads$ui_release(Landroidx/compose/ui/node/OwnerScope;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver;->startObserving$ui_release()V PLandroidx/compose/ui/node/OwnerSnapshotObserver;->stopObserving$ui_release()V PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->()V PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->()V -PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; +HPLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; PLandroidx/compose/ui/node/OwnerSnapshotObserver$clearInvalidObservations$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->()V +PLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V +PLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayout$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifier$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifier$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifier$1;->()V Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifierInLookahead$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifierInLookahead$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLayoutModifierInLookahead$1;->()V -Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadLayout$1; -HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadLayout$1;->()V -HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadLayout$1;->()V +Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookahead$1; +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookahead$1;->()V +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookahead$1;->()V Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadMeasure$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingLookaheadMeasure$1;->()V Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V -HPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1;->()V @@ -8698,17 +9312,21 @@ Landroidx/compose/ui/node/SemanticsModifierNode; Landroidx/compose/ui/node/SemanticsModifierNodeKt; HPLandroidx/compose/ui/node/SemanticsModifierNodeKt;->invalidateSemantics(Landroidx/compose/ui/node/SemanticsModifierNode;)V Landroidx/compose/ui/node/TailModifierNode; +HSPLandroidx/compose/ui/node/TailModifierNode;->()V HPLandroidx/compose/ui/node/TailModifierNode;->()V HSPLandroidx/compose/ui/node/TailModifierNode;->getAttachHasBeenRun()Z HPLandroidx/compose/ui/node/TailModifierNode;->onAttach()V -PLandroidx/compose/ui/node/TailModifierNode;->onDetach()V +HPLandroidx/compose/ui/node/TailModifierNode;->onDetach()V +Landroidx/compose/ui/node/TraversableNode; Landroidx/compose/ui/node/TreeSet; +HSPLandroidx/compose/ui/node/TreeSet;->()V HSPLandroidx/compose/ui/node/TreeSet;->(Ljava/util/Comparator;)V Landroidx/compose/ui/node/UiApplier; -HPLandroidx/compose/ui/node/UiApplier;->(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/UiApplier;->()V +HSPLandroidx/compose/ui/node/UiApplier;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/UiApplier;->insertBottomUp(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/UiApplier;->insertBottomUp(ILjava/lang/Object;)V -HPLandroidx/compose/ui/node/UiApplier;->insertTopDown(ILandroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/node/UiApplier;->insertTopDown(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/UiApplier;->insertTopDown(ILjava/lang/Object;)V HPLandroidx/compose/ui/node/UiApplier;->onClear()V HPLandroidx/compose/ui/node/UiApplier;->onEndChanges()V @@ -8745,6 +9363,7 @@ Landroidx/compose/ui/platform/AndroidAccessibilityManager$Companion; HSPLandroidx/compose/ui/platform/AndroidAccessibilityManager$Companion;->()V HSPLandroidx/compose/ui/platform/AndroidAccessibilityManager$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/platform/AndroidClipboardManager; +HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->()V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/ClipboardManager;)V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/Context;)V Landroidx/compose/ui/platform/AndroidComposeView; @@ -8760,7 +9379,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->access$setGetBooleanMethod HSPLandroidx/compose/ui/platform/AndroidComposeView;->access$setSystemPropertiesClass$cp(Ljava/lang/Class;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->autofillSupported()Z HSPLandroidx/compose/ui/platform/AndroidComposeView;->boundsUpdatesEventLoop(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->childSizeCanAffectParentSize(Landroidx/compose/ui/node/LayoutNode;)Z +PLandroidx/compose/ui/platform/AndroidComposeView;->childSizeCanAffectParentSize(Landroidx/compose/ui/node/LayoutNode;)Z HSPLandroidx/compose/ui/platform/AndroidComposeView;->convertMeasureSpec-I7RO_PI(I)J HPLandroidx/compose/ui/platform/AndroidComposeView;->createLayer(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Landroidx/compose/ui/node/OwnedLayer; HPLandroidx/compose/ui/platform/AndroidComposeView;->dispatchDraw(Landroid/graphics/Canvas;)V @@ -8781,14 +9400,14 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->getHapticFeedBack()Landroi HSPLandroidx/compose/ui/platform/AndroidComposeView;->getInputModeManager()Landroidx/compose/ui/input/InputModeManager; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; PLandroidx/compose/ui/platform/AndroidComposeView;->getModifierLocalManager()Landroidx/compose/ui/modifier/ModifierLocalManager; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPlatformTextInputPluginRegistry()Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistry; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPlatformTextInputPluginRegistry()Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl; +HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPlacementScope()Landroidx/compose/ui/layout/Placeable$PlacementScope; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getPointerIconService()Landroidx/compose/ui/input/pointer/PointerIconService; HPLandroidx/compose/ui/platform/AndroidComposeView;->getRoot()Landroidx/compose/ui/node/LayoutNode; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getSemanticsOwner()Landroidx/compose/ui/semantics/SemanticsOwner; HPLandroidx/compose/ui/platform/AndroidComposeView;->getSharedDrawScope()Landroidx/compose/ui/node/LayoutNodeDrawScope; HPLandroidx/compose/ui/platform/AndroidComposeView;->getShowLayoutBounds()Z HPLandroidx/compose/ui/platform/AndroidComposeView;->getSnapshotObserver()Landroidx/compose/ui/node/OwnerSnapshotObserver; +HSPLandroidx/compose/ui/platform/AndroidComposeView;->getSoftwareKeyboardController()Landroidx/compose/ui/platform/SoftwareKeyboardController; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getTextInputService()Landroidx/compose/ui/text/input/TextInputService; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getTextToolbar()Landroidx/compose/ui/platform/TextToolbar; HSPLandroidx/compose/ui/platform/AndroidComposeView;->getView()Landroid/view/View; @@ -8801,16 +9420,17 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->invalidateLayers(Landroidx HSPLandroidx/compose/ui/platform/AndroidComposeView;->invalidateLayoutNodeMeasurement(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->measureAndLayout(Z)V HPLandroidx/compose/ui/platform/AndroidComposeView;->notifyLayerIsDirty$ui_release(Landroidx/compose/ui/node/OwnedLayer;Z)V -HPLandroidx/compose/ui/platform/AndroidComposeView;->onAttach(Landroidx/compose/ui/node/LayoutNode;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->onAttach(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onAttachedToWindow()V HPLandroidx/compose/ui/platform/AndroidComposeView;->onDetach(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/platform/AndroidComposeView;->onDetachedFromWindow()V +HPLandroidx/compose/ui/platform/AndroidComposeView;->onDetachedFromWindow()V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onDraw(Landroid/graphics/Canvas;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onEndApplyChanges()V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onLayout(ZIIII)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onLayoutChange(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onMeasure(II)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onRequestMeasure(Landroidx/compose/ui/node/LayoutNode;ZZZ)V +PLandroidx/compose/ui/platform/AndroidComposeView;->onRequestRelayout(Landroidx/compose/ui/node/LayoutNode;ZZ)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onResume(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onRtlPropertiesChanged(I)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onSemanticsChange()V @@ -8819,6 +9439,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->pack-ZIaKswc(II)J HPLandroidx/compose/ui/platform/AndroidComposeView;->recycle$ui_release(Landroidx/compose/ui/node/OwnedLayer;)Z HPLandroidx/compose/ui/platform/AndroidComposeView;->registerOnEndApplyChangesListener(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->requestClearInvalidObservations()V +PLandroidx/compose/ui/platform/AndroidComposeView;->scheduleMeasureAndLayout$default(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/ui/node/LayoutNode;ILjava/lang/Object;)V HPLandroidx/compose/ui/platform/AndroidComposeView;->scheduleMeasureAndLayout(Landroidx/compose/ui/node/LayoutNode;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->setConfigurationChangeObserver(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -8827,16 +9448,18 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->setShowLayoutBounds(Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->set_viewTreeOwners(Landroidx/compose/ui/platform/AndroidComposeView$ViewTreeOwners;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->touchModeChangeListener$lambda$3(Landroidx/compose/ui/platform/AndroidComposeView;Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->updatePositionCacheAndDispatch()V -Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda1; -HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda1;->onGlobalLayout()V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->onGlobalLayout()V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda3; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda3;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda3;->onTouchModeChanged(Z)V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda4; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda4;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda4;->onTouchModeChanged(Z)V +Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda5; +HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda5;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +Landroidx/compose/ui/platform/AndroidComposeView$AndroidComposeViewTranslationCallback; +HSPLandroidx/compose/ui/platform/AndroidComposeView$AndroidComposeViewTranslationCallback;->()V Landroidx/compose/ui/platform/AndroidComposeView$Companion; HSPLandroidx/compose/ui/platform/AndroidComposeView$Companion;->()V HSPLandroidx/compose/ui/platform/AndroidComposeView$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -8852,16 +9475,14 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView$_inputModeManager$1;-> Landroidx/compose/ui/platform/AndroidComposeView$configurationChangeObserver$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$configurationChangeObserver$1;->()V HSPLandroidx/compose/ui/platform/AndroidComposeView$configurationChangeObserver$1;->()V +Landroidx/compose/ui/platform/AndroidComposeView$dragAndDropModifierOnDragListener$1; +HSPLandroidx/compose/ui/platform/AndroidComposeView$dragAndDropModifierOnDragListener$1;->(Ljava/lang/Object;)V Landroidx/compose/ui/platform/AndroidComposeView$focusOwner$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V +HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -Landroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1; -HSPLandroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1;->invoke(Landroidx/compose/ui/text/input/PlatformTextInputPlugin;Landroidx/compose/ui/text/input/PlatformTextInput;)Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -HSPLandroidx/compose/ui/platform/AndroidComposeView$platformTextInputPluginRegistry$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidComposeView$pointerIconService$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$pointerIconService$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V Landroidx/compose/ui/platform/AndroidComposeView$resendMotionEventOnLayout$1; @@ -8884,20 +9505,27 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView$viewTreeOwners$2;->invoke()L Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->()V HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getAccessibilityManager$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/view/accessibility/AccessibilityManager; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getContentCaptureSessionCompat(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;Landroid/view/View;)Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getEnabledStateListener$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/view/accessibility/AccessibilityManager$AccessibilityStateChangeListener; PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getHandler$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/os/Handler; PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getSemanticsChangeChecker$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Ljava/lang/Runnable; -HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->boundsUpdatesEventLoop(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getAccessibilityManager$ui_release()Landroid/view/accessibility/AccessibilityManager; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->access$getTouchExplorationStateListener$p(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)Landroid/view/accessibility/AccessibilityManager$TouchExplorationStateChangeListener; +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->boundsUpdatesEventLoop$ui_release(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getContentCaptureForceEnabledForTesting$ui_release()Z HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getContentCaptureSessionCompat(Landroid/view/View;)Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getEnabledStateListener$ui_release()Landroid/view/accessibility/AccessibilityManager$AccessibilityStateChangeListener; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->getTouchExplorationStateListener$ui_release()Landroid/view/accessibility/AccessibilityManager$TouchExplorationStateChangeListener; -HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabled$ui_release()Z -HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabledForAccessibility()Z +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->initContentCapture(Z)V +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabled()Z +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabledForAccessibility$ui_release()Z HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->isEnabledForContentCapture()Z +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->notifyContentCaptureChanges()V HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onLayoutChange$ui_release(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onSemanticsChange$ui_release()V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onStart(Landroidx/lifecycle/LifecycleOwner;)V +PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->onStop(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->setContentCaptureSession$ui_release(Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat;)V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->updateContentCaptureBuffersOnAppeared(Landroidx/compose/ui/semantics/SemanticsNode;)V +PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;->updateContentCaptureBuffersOnDisappeared(Landroidx/compose/ui/semantics/SemanticsNode;)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$$ExternalSyntheticLambda0; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$$ExternalSyntheticLambda0;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$$ExternalSyntheticLambda1; @@ -8911,27 +9539,48 @@ PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$1;- Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$Companion; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$Companion;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$MyNodeProvider; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$MyNodeProvider;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$ComposeAccessibilityNodeProvider; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$ComposeAccessibilityNodeProvider;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$SemanticsNodeCopy; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$SemanticsNodeCopy;->(Landroidx/compose/ui/semantics/SemanticsNode;Ljava/util/Map;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus;->$values()[Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$TranslateStatus;->(Ljava/lang/String;I)V Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$boundsUpdatesEventLoop$1; HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$boundsUpdatesEventLoop$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$boundsUpdatesEventLoop$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$sendScrollEventIfNeededLambda$1; -HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$sendScrollEventIfNeededLambda$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$onSendAccessibilityEvent$1; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$onSendAccessibilityEvent$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$scheduleScrollEventIfNeededLambda$1; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat$scheduleScrollEventIfNeededLambda$1;->(Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat;)V +Landroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat_androidKt; +HSPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat_androidKt;->()V +HPLandroidx/compose/ui/platform/AndroidComposeViewAccessibilityDelegateCompat_androidKt;->getDisableContentCapture()Z Landroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ; HSPLandroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewForceDarkModeQ;->disallowForceDark(Landroid/view/View;)V +Landroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS; +HSPLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->()V +PLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->clearViewTranslationCallback(Landroid/view/View;)V +HSPLandroidx/compose/ui/platform/AndroidComposeViewTranslationCallbackS;->setViewTranslationCallback(Landroid/view/View;Landroid/view/translation/ViewTranslationCallback;)V Landroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO; HSPLandroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO;->()V HSPLandroidx/compose/ui/platform/AndroidComposeViewVerificationHelperMethodsO;->focusable(Landroid/view/View;IZ)V Landroidx/compose/ui/platform/AndroidComposeView_androidKt; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->()V HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->access$layoutDirectionFromInt(I)Landroidx/compose/ui/unit/LayoutDirection; HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->getLocaleLayoutDirection(Landroid/content/res/Configuration;)Landroidx/compose/ui/unit/LayoutDirection; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->getPlatformTextInputServiceInterceptor()Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt;->layoutDirectionFromInt(I)Landroidx/compose/ui/unit/LayoutDirection; +Landroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->()V +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->invoke(Landroidx/compose/ui/text/input/PlatformTextInputService;)Landroidx/compose/ui/text/input/PlatformTextInputService; +HSPLandroidx/compose/ui/platform/AndroidComposeView_androidKt$platformTextInputServiceInterceptor$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->()V HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->ProvideAndroidCompositionLocals$lambda$1(Landroidx/compose/runtime/MutableState;)Landroid/content/res/Configuration; @@ -8969,7 +9618,7 @@ Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidC HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$2$invoke$$inlined$onDispose$1;->(Landroidx/compose/ui/platform/DisposableSaveableStateRegistry;)V PLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$2$invoke$$inlined$onDispose$1;->dispose()V Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3; -HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/ui/platform/AndroidUriHandler;Lkotlin/jvm/functions/Function2;I)V +HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/ui/platform/AndroidUriHandler;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$ProvideAndroidCompositionLocals$4; @@ -8984,8 +9633,10 @@ PLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$obtainImageVec Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$obtainImageVectorCache$callbacks$1$1; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$obtainImageVectorCache$callbacks$1$1;->(Landroid/content/res/Configuration;Landroidx/compose/ui/res/ImageVectorCache;)V Landroidx/compose/ui/platform/AndroidFontResourceLoader; +HSPLandroidx/compose/ui/platform/AndroidFontResourceLoader;->()V HSPLandroidx/compose/ui/platform/AndroidFontResourceLoader;->(Landroid/content/Context;)V Landroidx/compose/ui/platform/AndroidTextToolbar; +HSPLandroidx/compose/ui/platform/AndroidTextToolbar;->()V HSPLandroidx/compose/ui/platform/AndroidTextToolbar;->(Landroid/view/View;)V Landroidx/compose/ui/platform/AndroidTextToolbar$textActionModeCallback$1; HSPLandroidx/compose/ui/platform/AndroidTextToolbar$textActionModeCallback$1;->(Landroidx/compose/ui/platform/AndroidTextToolbar;)V @@ -8998,7 +9649,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroid HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getMain$delegate$cp()Lkotlin/Lazy; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V PLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$setScheduledFrameDispatch$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;Z)V HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; @@ -9035,7 +9686,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->getChoreographer()Landroi HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLandroidx/compose/ui/platform/AndroidUiFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1; -HSPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1;->(Landroidx/compose/ui/platform/AndroidUiDispatcher;Landroid/view/Choreographer$FrameCallback;)V +HPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1;->(Landroidx/compose/ui/platform/AndroidUiDispatcher;Landroid/view/Choreographer$FrameCallback;)V Landroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$callback$1; HPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$callback$1;->(Lkotlinx/coroutines/CancellableContinuation;Landroidx/compose/ui/platform/AndroidUiFrameClock;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$callback$1;->doFrame(J)V @@ -9106,12 +9757,12 @@ HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalInputModeManager$1;->< Landroidx/compose/ui/platform/CompositionLocalsKt$LocalLayoutDirection$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalLayoutDirection$1;->()V HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalLayoutDirection$1;->()V -Landroidx/compose/ui/platform/CompositionLocalsKt$LocalPlatformTextInputPluginRegistry$1; -HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPlatformTextInputPluginRegistry$1;->()V -HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPlatformTextInputPluginRegistry$1;->()V Landroidx/compose/ui/platform/CompositionLocalsKt$LocalPointerIconService$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPointerIconService$1;->()V HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalPointerIconService$1;->()V +Landroidx/compose/ui/platform/CompositionLocalsKt$LocalSoftwareKeyboardController$1; +HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalSoftwareKeyboardController$1;->()V +HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalSoftwareKeyboardController$1;->()V Landroidx/compose/ui/platform/CompositionLocalsKt$LocalTextInputService$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalTextInputService$1;->()V HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalTextInputService$1;->()V @@ -9129,8 +9780,12 @@ HSPLandroidx/compose/ui/platform/CompositionLocalsKt$LocalWindowInfo$1;->()V Landroidx/compose/ui/platform/CompositionLocalsKt$ProvideCommonCompositionLocals$1; HSPLandroidx/compose/ui/platform/CompositionLocalsKt$ProvideCommonCompositionLocals$1;->(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/platform/UriHandler;Lkotlin/jvm/functions/Function2;I)V +Landroidx/compose/ui/platform/DelegatingSoftwareKeyboardController; +HSPLandroidx/compose/ui/platform/DelegatingSoftwareKeyboardController;->()V +HSPLandroidx/compose/ui/platform/DelegatingSoftwareKeyboardController;->(Landroidx/compose/ui/text/input/TextInputService;)V Landroidx/compose/ui/platform/DeviceRenderNode; Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; +HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->()V HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->canBeSaved(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; @@ -9139,23 +9794,35 @@ HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry;->registerProvi Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->()V HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->DisposableSaveableStateRegistry(Landroid/view/View;Landroidx/savedstate/SavedStateRegistryOwner;)Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; -HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->DisposableSaveableStateRegistry(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistryOwner;)Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; +HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->DisposableSaveableStateRegistry(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistryOwner;)Landroidx/compose/ui/platform/DisposableSaveableStateRegistry; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->access$canBeSavedToBundle(Ljava/lang/Object;)Z HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt;->canBeSavedToBundle(Ljava/lang/Object;)Z +Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$$ExternalSyntheticLambda0;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1;->(ZLandroidx/savedstate/SavedStateRegistry;Ljava/lang/String;)V PLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1;->invoke()Ljava/lang/Object; PLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$1;->invoke()V -Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$registered$1; -HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$registered$1;->(Landroidx/compose/runtime/saveable/SaveableStateRegistry;)V Landroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->()V HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->()V HPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; HSPLandroidx/compose/ui/platform/DisposableSaveableStateRegistry_androidKt$DisposableSaveableStateRegistry$saveableStateRegistry$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener;->(Lkotlin/jvm/functions/Function3;)V +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener;->access$getRootDragAndDropNode$p(Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener;)Landroidx/compose/ui/draganddrop/DragAndDropNode; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener;->getModifier()Landroidx/compose/ui/Modifier; +Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1;->(Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener;)V +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1;->create()Landroidx/compose/ui/Modifier$Node; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$modifier$1;->create()Landroidx/compose/ui/draganddrop/DragAndDropNode; +Landroidx/compose/ui/platform/DragAndDropModifierOnDragListener$rootDragAndDropNode$1; +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$rootDragAndDropNode$1;->()V +HSPLandroidx/compose/ui/platform/DragAndDropModifierOnDragListener$rootDragAndDropNode$1;->()V Landroidx/compose/ui/platform/GlobalSnapshotManager; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager;->()V HSPLandroidx/compose/ui/platform/GlobalSnapshotManager;->()V +HPLandroidx/compose/ui/platform/GlobalSnapshotManager;->access$getSent$p()Ljava/util/concurrent/atomic/AtomicBoolean; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager;->ensureStarted()V Landroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$1; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$1;->(Lkotlinx/coroutines/channels/Channel;Lkotlin/coroutines/Continuation;)V @@ -9195,6 +9862,7 @@ Landroidx/compose/ui/platform/InspectorValueInfo; HSPLandroidx/compose/ui/platform/InspectorValueInfo;->()V HPLandroidx/compose/ui/platform/InspectorValueInfo;->(Lkotlin/jvm/functions/Function1;)V Landroidx/compose/ui/platform/LayerMatrixCache; +HSPLandroidx/compose/ui/platform/LayerMatrixCache;->()V HPLandroidx/compose/ui/platform/LayerMatrixCache;->(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/platform/LayerMatrixCache;->calculateMatrix-GrdbGEg(Ljava/lang/Object;)[F HPLandroidx/compose/ui/platform/LayerMatrixCache;->invalidate()V @@ -9206,7 +9874,9 @@ HPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->getScaleFactor()F HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->setScaleFactor(F)V Landroidx/compose/ui/platform/OutlineResolver; +HSPLandroidx/compose/ui/platform/OutlineResolver;->()V HPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/platform/OutlineResolver;->getCacheIsDirty$ui_release()Z HPLandroidx/compose/ui/platform/OutlineResolver;->getOutline()Landroid/graphics/Outline; HPLandroidx/compose/ui/platform/OutlineResolver;->getOutlineClipSupported()Z HPLandroidx/compose/ui/platform/OutlineResolver;->update(Landroidx/compose/ui/graphics/Shape;FZFLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)Z @@ -9214,47 +9884,30 @@ HPLandroidx/compose/ui/platform/OutlineResolver;->update-uvyYCjk(J)V HPLandroidx/compose/ui/platform/OutlineResolver;->updateCache()V PLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRect(Landroidx/compose/ui/geometry/Rect;)V HPLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRoundRect(Landroidx/compose/ui/geometry/RoundRect;)V +Landroidx/compose/ui/platform/PlatformTextInputSessionHandler; Landroidx/compose/ui/platform/RenderNodeApi29; +HSPLandroidx/compose/ui/platform/RenderNodeApi29;->()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->(Landroidx/compose/ui/platform/AndroidComposeView;)V -PLandroidx/compose/ui/platform/RenderNodeApi29;->discardDisplayList()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->drawInto(Landroid/graphics/Canvas;)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->getAlpha()F HPLandroidx/compose/ui/platform/RenderNodeApi29;->getClipToOutline()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getElevation()F HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHasDisplayList()Z -HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHeight()I HPLandroidx/compose/ui/platform/RenderNodeApi29;->getLeft()I HSPLandroidx/compose/ui/platform/RenderNodeApi29;->getMatrix(Landroid/graphics/Matrix;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getTop()I -HPLandroidx/compose/ui/platform/RenderNodeApi29;->getWidth()I -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->record(Landroidx/compose/ui/graphics/CanvasHolder;Landroidx/compose/ui/graphics/Path;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setAmbientShadowColor(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setCameraDistance(F)V +HSPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToBounds(Z)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToOutline(Z)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setCompositingStrategy-aDBOjCE(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setElevation(F)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->setElevation(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setHasOverlappingRendering(Z)Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->setOutline(Landroid/graphics/Outline;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setPivotX(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setPivotY(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setPosition(IIII)Z -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRenderEffect(Landroidx/compose/ui/graphics/RenderEffect;)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRotationX(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRotationY(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setRotationZ(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setScaleX(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setScaleY(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setSpotShadowColor(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setTranslationX(F)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->setTranslationY(F)V -Landroidx/compose/ui/platform/RenderNodeApi29VerificationHelper; -HSPLandroidx/compose/ui/platform/RenderNodeApi29VerificationHelper;->()V -HSPLandroidx/compose/ui/platform/RenderNodeApi29VerificationHelper;->()V -HPLandroidx/compose/ui/platform/RenderNodeApi29VerificationHelper;->setRenderEffect(Landroid/graphics/RenderNode;Landroidx/compose/ui/graphics/RenderEffect;)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->setTranslationY(F)V Landroidx/compose/ui/platform/RenderNodeLayer; HSPLandroidx/compose/ui/platform/RenderNodeLayer;->()V HPLandroidx/compose/ui/platform/RenderNodeLayer;->(Landroidx/compose/ui/platform/AndroidComposeView;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)V @@ -9267,6 +9920,7 @@ HPLandroidx/compose/ui/platform/RenderNodeLayer;->resize-ozmzZPI(J)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->setDirty(Z)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->triggerRepaint()V HPLandroidx/compose/ui/platform/RenderNodeLayer;->updateDisplayList()V +HSPLandroidx/compose/ui/platform/RenderNodeLayer;->updateLayerProperties(Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/platform/RenderNodeLayer$Companion; HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->()V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -9275,6 +9929,7 @@ HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion$getMatrix$1;->()V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion$getMatrix$1;->invoke(Landroidx/compose/ui/platform/DeviceRenderNode;Landroid/graphics/Matrix;)V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion$getMatrix$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/compose/ui/platform/SoftwareKeyboardController; Landroidx/compose/ui/platform/TestTagKt; HPLandroidx/compose/ui/platform/TestTagKt;->testTag(Landroidx/compose/ui/Modifier;Ljava/lang/String;)Landroidx/compose/ui/Modifier; Landroidx/compose/ui/platform/TestTagKt$testTag$1; @@ -9295,14 +9950,14 @@ Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindo HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool;->()V HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool;->()V HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool;->installFor(Landroidx/compose/ui/platform/AbstractComposeView;)Lkotlin/jvm/functions/Function0; +Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$$ExternalSyntheticLambda0;->(Landroidx/compose/ui/platform/AbstractComposeView;)V Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$1; HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$1;->(Landroidx/compose/ui/platform/AbstractComposeView;Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;Landroidx/customview/poolingcontainer/PoolingContainerListener;)V Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1; HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;->(Landroidx/compose/ui/platform/AbstractComposeView;)V HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;->onViewAttachedToWindow(Landroid/view/View;)V PLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$listener$1;->onViewDetachedFromWindow(Landroid/view/View;)V -Landroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$poolingContainerListener$1; -HSPLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWindowOrReleasedFromPool$installFor$poolingContainerListener$1;->(Landroidx/compose/ui/platform/AbstractComposeView;)V Landroidx/compose/ui/platform/ViewConfiguration; Landroidx/compose/ui/platform/ViewLayer; HSPLandroidx/compose/ui/platform/ViewLayer;->()V @@ -9323,6 +9978,7 @@ HSPLandroidx/compose/ui/platform/ViewRootForTest$Companion;->()V HSPLandroidx/compose/ui/platform/ViewRootForTest$Companion;->()V HSPLandroidx/compose/ui/platform/ViewRootForTest$Companion;->getOnViewCreatedCallback()Lkotlin/jvm/functions/Function1; Landroidx/compose/ui/platform/WeakCache; +HSPLandroidx/compose/ui/platform/WeakCache;->()V HSPLandroidx/compose/ui/platform/WeakCache;->()V HPLandroidx/compose/ui/platform/WeakCache;->clearWeakReferences()V HPLandroidx/compose/ui/platform/WeakCache;->pop()Ljava/lang/Object; @@ -9338,17 +9994,18 @@ HSPLandroidx/compose/ui/platform/WindowInfoImpl$Companion;->(Lkotlin/jvm/i Landroidx/compose/ui/platform/WindowRecomposerFactory; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory;->()V Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion; +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->$r8$lambda$PmWZXv-2LDhDmANvYhil4YZYJuQ(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->LifecycleAware$lambda$0(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->getLifecycleAware()Landroidx/compose/ui/platform/WindowRecomposerFactory; -Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1; -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1;->()V -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1;->()V -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$LifecycleAware$1;->createRecomposer(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; +Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$$ExternalSyntheticLambda0;->()V +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion$$ExternalSyntheticLambda0;->createRecomposer(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; Landroidx/compose/ui/platform/WindowRecomposerPolicy; HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->()V -HPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->createAndInstallWindowRecomposer$ui_release(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; +HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy;->createAndInstallWindowRecomposer$ui_release(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; Landroidx/compose/ui/platform/WindowRecomposerPolicy$createAndInstallWindowRecomposer$1; HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy$createAndInstallWindowRecomposer$1;->(Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/ui/platform/WindowRecomposerPolicy$createAndInstallWindowRecomposer$1;->onViewAttachedToWindow(Landroid/view/View;)V @@ -9408,7 +10065,7 @@ HSPLandroidx/compose/ui/platform/WrappedComposition;->access$setLastContent$p(La PLandroidx/compose/ui/platform/WrappedComposition;->dispose()V HSPLandroidx/compose/ui/platform/WrappedComposition;->getOriginal()Landroidx/compose/runtime/Composition; HSPLandroidx/compose/ui/platform/WrappedComposition;->getOwner()Landroidx/compose/ui/platform/AndroidComposeView; -HPLandroidx/compose/ui/platform/WrappedComposition;->onStateChanged(Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V +HSPLandroidx/compose/ui/platform/WrappedComposition;->onStateChanged(Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V HSPLandroidx/compose/ui/platform/WrappedComposition;->setContent(Lkotlin/jvm/functions/Function2;)V Landroidx/compose/ui/platform/WrappedComposition$setContent$1; HSPLandroidx/compose/ui/platform/WrappedComposition$setContent$1;->(Landroidx/compose/ui/platform/WrappedComposition;Lkotlin/jvm/functions/Function2;)V @@ -9430,27 +10087,15 @@ Landroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods; HSPLandroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods;->()V HSPLandroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods;->()V HPLandroidx/compose/ui/platform/WrapperRenderNodeLayerHelperMethods;->onDescendantInvalidated(Landroidx/compose/ui/platform/AndroidComposeView;)V -Landroidx/compose/ui/platform/WrapperVerificationHelperMethods; -HSPLandroidx/compose/ui/platform/WrapperVerificationHelperMethods;->()V -HSPLandroidx/compose/ui/platform/WrapperVerificationHelperMethods;->()V -HSPLandroidx/compose/ui/platform/WrapperVerificationHelperMethods;->attributeSourceResourceMap(Landroid/view/View;)Ljava/util/Map; Landroidx/compose/ui/platform/Wrapper_androidKt; HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->()V -HPLandroidx/compose/ui/platform/Wrapper_androidKt;->createSubcomposition(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/Composition; +HPLandroidx/compose/ui/platform/Wrapper_androidKt;->createSubcomposition(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/runtime/CompositionContext;)Landroidx/compose/runtime/ReusableComposition; HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->doSetContent(Landroidx/compose/ui/platform/AndroidComposeView;Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/Composition; -HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->inspectionWanted(Landroidx/compose/ui/platform/AndroidComposeView;)Z HSPLandroidx/compose/ui/platform/Wrapper_androidKt;->setContent(Landroidx/compose/ui/platform/AbstractComposeView;Landroidx/compose/runtime/CompositionContext;Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/Composition; Landroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback; +HSPLandroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback;->()V HSPLandroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/geometry/Rect;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/compose/ui/platform/actionmodecallback/TextActionModeCallback;->(Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/geometry/Rect;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat;->(Landroid/view/View;)V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl;->()V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl20; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl20;->(Landroid/view/View;)V -Landroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl30; -HSPLandroidx/compose/ui/platform/coreshims/SoftwareKeyboardControllerCompat$Impl30;->(Landroid/view/View;)V Landroidx/compose/ui/platform/coreshims/ViewCompatShims; HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims;->getContentCaptureSession(Landroid/view/View;)Landroidx/compose/ui/platform/coreshims/ContentCaptureSessionCompat; HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims;->setImportantForContentCapture(Landroid/view/View;I)V @@ -9459,8 +10104,10 @@ HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims$Api29Impl;->getConten Landroidx/compose/ui/platform/coreshims/ViewCompatShims$Api30Impl; HSPLandroidx/compose/ui/platform/coreshims/ViewCompatShims$Api30Impl;->setImportantForContentCapture(Landroid/view/View;I)V Landroidx/compose/ui/res/ImageVectorCache; +HSPLandroidx/compose/ui/res/ImageVectorCache;->()V HSPLandroidx/compose/ui/res/ImageVectorCache;->()V Landroidx/compose/ui/semantics/AppendedSemanticsElement; +HSPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->()V HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->(ZLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->create()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->create()Landroidx/compose/ui/semantics/CoreSemanticsModifierNode; @@ -9468,6 +10115,7 @@ HPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->equals(Ljava/lang/Ob HSPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->update(Landroidx/compose/ui/Modifier$Node;)V HSPLandroidx/compose/ui/semantics/AppendedSemanticsElement;->update(Landroidx/compose/ui/semantics/CoreSemanticsModifierNode;)V Landroidx/compose/ui/semantics/ClearAndSetSemanticsElement; +HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->()V HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->create()Landroidx/compose/ui/semantics/CoreSemanticsModifierNode; @@ -9475,6 +10123,7 @@ HSPLandroidx/compose/ui/semantics/ClearAndSetSemanticsElement;->equals(Ljava/lan PLandroidx/compose/ui/semantics/CollectionInfo;->()V PLandroidx/compose/ui/semantics/CollectionInfo;->(II)V Landroidx/compose/ui/semantics/CoreSemanticsModifierNode; +HSPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->()V HPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->(ZZLkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->setMergeDescendants(Z)V HSPLandroidx/compose/ui/semantics/CoreSemanticsModifierNode;->setProperties(Lkotlin/jvm/functions/Function1;)V @@ -9484,6 +10133,7 @@ HSPLandroidx/compose/ui/semantics/EmptySemanticsElement;->()V HSPLandroidx/compose/ui/semantics/EmptySemanticsElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/ui/semantics/EmptySemanticsElement;->create()Landroidx/compose/ui/semantics/EmptySemanticsModifier; Landroidx/compose/ui/semantics/EmptySemanticsModifier; +HSPLandroidx/compose/ui/semantics/EmptySemanticsModifier;->()V HSPLandroidx/compose/ui/semantics/EmptySemanticsModifier;->()V Landroidx/compose/ui/semantics/Role; HSPLandroidx/compose/ui/semantics/Role;->()V @@ -9502,6 +10152,10 @@ PLandroidx/compose/ui/semantics/Role$Companion;->getButton-o7Vup1c()I HSPLandroidx/compose/ui/semantics/Role$Companion;->getTab-o7Vup1c()I PLandroidx/compose/ui/semantics/ScrollAxisRange;->()V PLandroidx/compose/ui/semantics/ScrollAxisRange;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Z)V +Landroidx/compose/ui/semantics/SemanticsActions; +HSPLandroidx/compose/ui/semantics/SemanticsActions;->()V +HSPLandroidx/compose/ui/semantics/SemanticsActions;->()V +HSPLandroidx/compose/ui/semantics/SemanticsActions;->getCustomActions()Landroidx/compose/ui/semantics/SemanticsPropertyKey; Landroidx/compose/ui/semantics/SemanticsConfiguration; HSPLandroidx/compose/ui/semantics/SemanticsConfiguration;->()V HPLandroidx/compose/ui/semantics/SemanticsConfiguration;->()V @@ -9517,7 +10171,7 @@ HSPLandroidx/compose/ui/semantics/SemanticsConfigurationKt$getOrNull$1;->invoke( Landroidx/compose/ui/semantics/SemanticsModifier; Landroidx/compose/ui/semantics/SemanticsModifierKt; HSPLandroidx/compose/ui/semantics/SemanticsModifierKt;->()V -HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->clearAndSetSemantics(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; +HSPLandroidx/compose/ui/semantics/SemanticsModifierKt;->clearAndSetSemantics(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->generateSemanticsId()I HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->semantics$default(Landroidx/compose/ui/Modifier;ZLkotlin/jvm/functions/Function1;ILjava/lang/Object;)Landroidx/compose/ui/Modifier; HPLandroidx/compose/ui/semantics/SemanticsModifierKt;->semantics(Landroidx/compose/ui/Modifier;ZLkotlin/jvm/functions/Function1;)Landroidx/compose/ui/Modifier; @@ -9537,12 +10191,31 @@ HSPLandroidx/compose/ui/semantics/SemanticsNodeKt;->getRole(Landroidx/compose/ui Landroidx/compose/ui/semantics/SemanticsOwner; HSPLandroidx/compose/ui/semantics/SemanticsOwner;->()V HSPLandroidx/compose/ui/semantics/SemanticsOwner;->(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/semantics/SemanticsOwner;->getUnmergedRootSemanticsNode()Landroidx/compose/ui/semantics/SemanticsNode; +HPLandroidx/compose/ui/semantics/SemanticsOwner;->getUnmergedRootSemanticsNode()Landroidx/compose/ui/semantics/SemanticsNode; Landroidx/compose/ui/semantics/SemanticsProperties; HSPLandroidx/compose/ui/semantics/SemanticsProperties;->()V HSPLandroidx/compose/ui/semantics/SemanticsProperties;->()V +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getCollectionInfo()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getCollectionItemInfo()Landroidx/compose/ui/semantics/SemanticsPropertyKey; HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getContentDescription()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getEditableText()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getFocused()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getHorizontalScrollAxisRange()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getImeAction()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getIsShowingTextSubstitution()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getIsTraversalGroup()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getLiveRegion()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getPaneTitle()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getProgressBarRangeInfo()Landroidx/compose/ui/semantics/SemanticsPropertyKey; HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getRole()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getSelected()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getStateDescription()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTestTag()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTextSelectionRange()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTextSubstitution()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getToggleableState()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getTraversalIndex()Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsProperties;->getVerticalScrollAxisRange()Landroidx/compose/ui/semantics/SemanticsPropertyKey; Landroidx/compose/ui/semantics/SemanticsProperties$ContentDescription$1; HSPLandroidx/compose/ui/semantics/SemanticsProperties$ContentDescription$1;->()V HSPLandroidx/compose/ui/semantics/SemanticsProperties$ContentDescription$1;->()V @@ -9570,25 +10243,35 @@ HSPLandroidx/compose/ui/semantics/SemanticsProperties$Text$1;->()V Landroidx/compose/ui/semantics/SemanticsProperties$TraversalIndex$1; HSPLandroidx/compose/ui/semantics/SemanticsProperties$TraversalIndex$1;->()V HSPLandroidx/compose/ui/semantics/SemanticsProperties$TraversalIndex$1;->()V +Landroidx/compose/ui/semantics/SemanticsPropertiesKt; +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt;->()V +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt;->AccessibilityKey(Ljava/lang/String;)Landroidx/compose/ui/semantics/SemanticsPropertyKey; +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt;->AccessibilityKey(Ljava/lang/String;Lkotlin/jvm/functions/Function2;)Landroidx/compose/ui/semantics/SemanticsPropertyKey; +Landroidx/compose/ui/semantics/SemanticsPropertiesKt$ActionPropertyKey$1; +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt$ActionPropertyKey$1;->()V +HSPLandroidx/compose/ui/semantics/SemanticsPropertiesKt$ActionPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyKey; HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->()V HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;Lkotlin/jvm/functions/Function2;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;Z)V +HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey;->(Ljava/lang/String;ZLkotlin/jvm/functions/Function2;)V Landroidx/compose/ui/semantics/SemanticsPropertyKey$1; HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyReceiver; Landroidx/compose/ui/text/AndroidParagraph; +HSPLandroidx/compose/ui/text/AndroidParagraph;->()V HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/AndroidParagraph;->constructTextLayout(IILandroid/text/TextUtils$TruncateAt;IIIII)Landroidx/compose/ui/text/android/TextLayout; HPLandroidx/compose/ui/text/AndroidParagraph;->getDidExceedMaxLines()Z -HPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F +HSPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getHeight()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLastBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLineBaseline$ui_text_release(I)F HPLandroidx/compose/ui/text/AndroidParagraph;->getLineCount()I -HSPLandroidx/compose/ui/text/AndroidParagraph;->getPlaceholderRects()Ljava/util/List; +HSPLandroidx/compose/ui/text/AndroidParagraph;->getMaxIntrinsicWidth()F HPLandroidx/compose/ui/text/AndroidParagraph;->getShaderBrushSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/platform/style/ShaderBrushSpan; HPLandroidx/compose/ui/text/AndroidParagraph;->getTextPaint$ui_text_release()Landroidx/compose/ui/text/platform/AndroidTextPaint; HPLandroidx/compose/ui/text/AndroidParagraph;->getWidth()F @@ -9598,42 +10281,25 @@ Landroidx/compose/ui/text/AndroidParagraph$wordBoundary$2; HPLandroidx/compose/ui/text/AndroidParagraph$wordBoundary$2;->(Landroidx/compose/ui/text/AndroidParagraph;)V Landroidx/compose/ui/text/AndroidParagraph_androidKt; HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-AMY3VfE(Landroidx/compose/ui/text/style/TextAlign;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-u6PBz3U(Landroidx/compose/ui/text/style/LineBreak$Strategy;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency-0_XeFpE(Landroidx/compose/ui/text/style/Hyphens;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-4a2g8L8(Landroidx/compose/ui/text/style/LineBreak$Strictness;)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-gvcdTPQ(Landroidx/compose/ui/text/style/LineBreak$WordBreak;)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-aXe7zB0(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-xImikfE(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency--3fSNIE(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-hpcqdu8(I)I +HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-wPN0Rpw(I)I HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutAlign-AMY3VfE(Landroidx/compose/ui/text/style/TextAlign;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutBreakStrategy-u6PBz3U(Landroidx/compose/ui/text/style/LineBreak$Strategy;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutHyphenationFrequency-0_XeFpE(Landroidx/compose/ui/text/style/Hyphens;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakStyle-4a2g8L8(Landroidx/compose/ui/text/style/LineBreak$Strictness;)I -HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakWordStyle-gvcdTPQ(Landroidx/compose/ui/text/style/LineBreak$WordBreak;)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutAlign-aXe7zB0(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutBreakStrategy-xImikfE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutHyphenationFrequency--3fSNIE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakStyle-hpcqdu8(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutLineBreakWordStyle-wPN0Rpw(I)I Landroidx/compose/ui/text/AndroidTextStyle_androidKt; HPLandroidx/compose/ui/text/AndroidTextStyle_androidKt;->createPlatformTextStyle(Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformTextStyle; Landroidx/compose/ui/text/AnnotatedString; HSPLandroidx/compose/ui/text/AnnotatedString;->()V -HPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;)V -HPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;Ljava/util/List;)V -HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/AnnotatedString;->getParagraphStylesOrNull$ui_text_release()Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedString;->getSpanStyles()Ljava/util/List; -HSPLandroidx/compose/ui/text/AnnotatedString;->getSpanStylesOrNull$ui_text_release()Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedString;->getText()Ljava/lang/String; -Landroidx/compose/ui/text/AnnotatedString$Range; -HSPLandroidx/compose/ui/text/AnnotatedString$Range;->()V -HPLandroidx/compose/ui/text/AnnotatedString$Range;->(Ljava/lang/Object;II)V -HPLandroidx/compose/ui/text/AnnotatedString$Range;->(Ljava/lang/Object;IILjava/lang/String;)V -HPLandroidx/compose/ui/text/AnnotatedString$Range;->getEnd()I -HSPLandroidx/compose/ui/text/AnnotatedString$Range;->getItem()Ljava/lang/Object; -HPLandroidx/compose/ui/text/AnnotatedString$Range;->getStart()I -Landroidx/compose/ui/text/AnnotatedStringKt; -HSPLandroidx/compose/ui/text/AnnotatedStringKt;->()V -HSPLandroidx/compose/ui/text/AnnotatedStringKt;->access$substringWithoutParagraphStyles(Landroidx/compose/ui/text/AnnotatedString;II)Landroidx/compose/ui/text/AnnotatedString; -HSPLandroidx/compose/ui/text/AnnotatedStringKt;->getLocalSpanStyles(Landroidx/compose/ui/text/AnnotatedString;II)Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedStringKt;->normalizedParagraphStyles(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/ParagraphStyle;)Ljava/util/List; -HPLandroidx/compose/ui/text/AnnotatedStringKt;->substringWithoutParagraphStyles(Landroidx/compose/ui/text/AnnotatedString;II)Landroidx/compose/ui/text/AnnotatedString; +HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;)V +HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/AnnotatedString;->(Ljava/lang/String;Ljava/util/List;Ljava/util/List;Ljava/util/List;)V +HSPLandroidx/compose/ui/text/AnnotatedString;->getText()Ljava/lang/String; Landroidx/compose/ui/text/EmojiSupportMatch; HSPLandroidx/compose/ui/text/EmojiSupportMatch;->()V HPLandroidx/compose/ui/text/EmojiSupportMatch;->(I)V @@ -9648,74 +10314,31 @@ HSPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->()V HSPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->getDefault-_3YsG6Y()I HPLandroidx/compose/ui/text/EmojiSupportMatch$Companion;->getNone-_3YsG6Y()I -Landroidx/compose/ui/text/MultiParagraph; -HSPLandroidx/compose/ui/text/MultiParagraph;->()V -HPLandroidx/compose/ui/text/MultiParagraph;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;JIZ)V -HSPLandroidx/compose/ui/text/MultiParagraph;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;JIZLkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/MultiParagraph;->getDidExceedMaxLines()Z -HPLandroidx/compose/ui/text/MultiParagraph;->getFirstBaseline()F -HPLandroidx/compose/ui/text/MultiParagraph;->getHeight()F -HPLandroidx/compose/ui/text/MultiParagraph;->getIntrinsics()Landroidx/compose/ui/text/MultiParagraphIntrinsics; -HPLandroidx/compose/ui/text/MultiParagraph;->getLastBaseline()F -HPLandroidx/compose/ui/text/MultiParagraph;->getPlaceholderRects()Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraph;->getWidth()F -HPLandroidx/compose/ui/text/MultiParagraph;->paint-LG529CI$default(Landroidx/compose/ui/text/MultiParagraph;Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IILjava/lang/Object;)V -HPLandroidx/compose/ui/text/MultiParagraph;->paint-LG529CI(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/drawscope/DrawStyle;I)V -Landroidx/compose/ui/text/MultiParagraphIntrinsics; -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->()V -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)V -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->access$resolveTextDirection(Landroidx/compose/ui/text/MultiParagraphIntrinsics;Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/ParagraphStyle; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getHasStaleResolvedFonts()Z -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getInfoList$ui_text_release()Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getMaxIntrinsicWidth()F -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->getPlaceholders()Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics;->resolveTextDirection(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/ParagraphStyle; -Landroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;)V -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2;->invoke()Ljava/lang/Float; -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsics$maxIntrinsicWidth$2;->invoke()Ljava/lang/Object; -Landroidx/compose/ui/text/MultiParagraphIntrinsics$minIntrinsicWidth$2; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsics$minIntrinsicWidth$2;->(Landroidx/compose/ui/text/MultiParagraphIntrinsics;)V -Landroidx/compose/ui/text/MultiParagraphIntrinsicsKt; -HSPLandroidx/compose/ui/text/MultiParagraphIntrinsicsKt;->access$getLocalPlaceholders(Ljava/util/List;II)Ljava/util/List; -HPLandroidx/compose/ui/text/MultiParagraphIntrinsicsKt;->getLocalPlaceholders(Ljava/util/List;II)Ljava/util/List; Landroidx/compose/ui/text/Paragraph; -Landroidx/compose/ui/text/ParagraphInfo; -HPLandroidx/compose/ui/text/ParagraphInfo;->(Landroidx/compose/ui/text/Paragraph;IIIIFF)V -HPLandroidx/compose/ui/text/ParagraphInfo;->getParagraph()Landroidx/compose/ui/text/Paragraph; -HPLandroidx/compose/ui/text/ParagraphInfo;->toGlobalYPosition(F)F -Landroidx/compose/ui/text/ParagraphIntrinsicInfo; -HPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->(Landroidx/compose/ui/text/ParagraphIntrinsics;II)V -HSPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->getEndIndex()I -HPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->getIntrinsics()Landroidx/compose/ui/text/ParagraphIntrinsics; -HSPLandroidx/compose/ui/text/ParagraphIntrinsicInfo;->getStartIndex()I +HPLandroidx/compose/ui/text/Paragraph;->paint-LG529CI$default(Landroidx/compose/ui/text/Paragraph;Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IILjava/lang/Object;)V Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphIntrinsicsKt; -HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; +HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics$default(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;ILjava/lang/Object;)Landroidx/compose/ui/text/ParagraphIntrinsics; +HSPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphKt; -HPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; -HSPLandroidx/compose/ui/text/ParagraphKt;->ceilToInt(F)I +HSPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; Landroidx/compose/ui/text/ParagraphStyle; HSPLandroidx/compose/ui/text/ParagraphStyle;->()V -HPLandroidx/compose/ui/text/ParagraphStyle;->(Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;)V -HSPLandroidx/compose/ui/text/ParagraphStyle;->(Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/ParagraphStyle;->(Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/ParagraphStyle;->getHyphens-EaSxIns()Landroidx/compose/ui/text/style/Hyphens; -HSPLandroidx/compose/ui/text/ParagraphStyle;->getHyphensOrDefault-vmbZdU8$ui_text_release()I -HPLandroidx/compose/ui/text/ParagraphStyle;->getLineBreak-LgCVezo()Landroidx/compose/ui/text/style/LineBreak; -HSPLandroidx/compose/ui/text/ParagraphStyle;->getLineBreakOrDefault-rAG3T2k$ui_text_release()I +HPLandroidx/compose/ui/text/ParagraphStyle;->(IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)V +HPLandroidx/compose/ui/text/ParagraphStyle;->(IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/ParagraphStyle;->getHyphens-vmbZdU8()I +HPLandroidx/compose/ui/text/ParagraphStyle;->getLineBreak-rAG3T2k()I HPLandroidx/compose/ui/text/ParagraphStyle;->getLineHeight-XSAIIZE()J HPLandroidx/compose/ui/text/ParagraphStyle;->getLineHeightStyle()Landroidx/compose/ui/text/style/LineHeightStyle; HPLandroidx/compose/ui/text/ParagraphStyle;->getPlatformStyle()Landroidx/compose/ui/text/PlatformParagraphStyle; -HPLandroidx/compose/ui/text/ParagraphStyle;->getTextAlign-buA522U()Landroidx/compose/ui/text/style/TextAlign; -HSPLandroidx/compose/ui/text/ParagraphStyle;->getTextAlignOrDefault-e0LSkKk$ui_text_release()I -HPLandroidx/compose/ui/text/ParagraphStyle;->getTextDirection-mmuk1to()Landroidx/compose/ui/text/style/TextDirection; +HPLandroidx/compose/ui/text/ParagraphStyle;->getTextAlign-e0LSkKk()I +HPLandroidx/compose/ui/text/ParagraphStyle;->getTextDirection-s_7X-co()I HPLandroidx/compose/ui/text/ParagraphStyle;->getTextIndent()Landroidx/compose/ui/text/style/TextIndent; HPLandroidx/compose/ui/text/ParagraphStyle;->getTextMotion()Landroidx/compose/ui/text/style/TextMotion; HPLandroidx/compose/ui/text/ParagraphStyle;->merge(Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/ParagraphStyle; Landroidx/compose/ui/text/ParagraphStyleKt; HSPLandroidx/compose/ui/text/ParagraphStyleKt;->()V -HPLandroidx/compose/ui/text/ParagraphStyleKt;->fastMerge-HtYhynw(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/ParagraphStyle; +HPLandroidx/compose/ui/text/ParagraphStyleKt;->fastMerge-j5T8yCg(Landroidx/compose/ui/text/ParagraphStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/ParagraphStyle; HSPLandroidx/compose/ui/text/ParagraphStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformParagraphStyle; HPLandroidx/compose/ui/text/ParagraphStyleKt;->resolveParagraphStyleDefaults(Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/ParagraphStyle; Landroidx/compose/ui/text/PlatformParagraphStyle; @@ -9741,10 +10364,10 @@ Landroidx/compose/ui/text/SpanStyle; HSPLandroidx/compose/ui/text/SpanStyle;->()V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/SpanStyle;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/text/SpanStyle;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/text/SpanStyle;->getAlpha()F HPLandroidx/compose/ui/text/SpanStyle;->getBackground-0d7_KjU()J HPLandroidx/compose/ui/text/SpanStyle;->getBaselineShift-5SSeXJ0()Landroidx/compose/ui/text/style/BaselineShift; @@ -9764,8 +10387,7 @@ HPLandroidx/compose/ui/text/SpanStyle;->getShadow()Landroidx/compose/ui/graphics HPLandroidx/compose/ui/text/SpanStyle;->getTextDecoration()Landroidx/compose/ui/text/style/TextDecoration; HPLandroidx/compose/ui/text/SpanStyle;->getTextForegroundStyle$ui_text_release()Landroidx/compose/ui/text/style/TextForegroundStyle; HPLandroidx/compose/ui/text/SpanStyle;->getTextGeometricTransform()Landroidx/compose/ui/text/style/TextGeometricTransform; -HPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_text_release(Landroidx/compose/ui/text/SpanStyle;)Z -HPLandroidx/compose/ui/text/SpanStyle;->hasSameNonLayoutAttributes$ui_text_release(Landroidx/compose/ui/text/SpanStyle;)Z +HSPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_text_release(Landroidx/compose/ui/text/SpanStyle;)Z HPLandroidx/compose/ui/text/SpanStyle;->merge(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt; HSPLandroidx/compose/ui/text/SpanStyleKt;->()V @@ -9775,25 +10397,6 @@ HPLandroidx/compose/ui/text/SpanStyleKt;->resolveSpanStyleDefaults(Landroidx/com Landroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1; HSPLandroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1;->()V HSPLandroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1;->()V -Landroidx/compose/ui/text/TextLayoutInput; -HSPLandroidx/compose/ui/text/TextLayoutInput;->()V -HPLandroidx/compose/ui/text/TextLayoutInput;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;IZILandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/font/Font$ResourceLoader;Landroidx/compose/ui/text/font/FontFamily$Resolver;J)V -HPLandroidx/compose/ui/text/TextLayoutInput;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;IZILandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/font/FontFamily$Resolver;J)V -HPLandroidx/compose/ui/text/TextLayoutInput;->(Landroidx/compose/ui/text/AnnotatedString;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;IZILandroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/font/FontFamily$Resolver;JLkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/ui/text/TextLayoutInput;->getConstraints-msEJaDk()J -PLandroidx/compose/ui/text/TextLayoutInput;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; -Landroidx/compose/ui/text/TextLayoutResult; -HSPLandroidx/compose/ui/text/TextLayoutResult;->()V -HPLandroidx/compose/ui/text/TextLayoutResult;->(Landroidx/compose/ui/text/TextLayoutInput;Landroidx/compose/ui/text/MultiParagraph;J)V -HPLandroidx/compose/ui/text/TextLayoutResult;->(Landroidx/compose/ui/text/TextLayoutInput;Landroidx/compose/ui/text/MultiParagraph;JLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/TextLayoutResult;->getDidOverflowHeight()Z -HPLandroidx/compose/ui/text/TextLayoutResult;->getDidOverflowWidth()Z -HPLandroidx/compose/ui/text/TextLayoutResult;->getFirstBaseline()F -HPLandroidx/compose/ui/text/TextLayoutResult;->getHasVisualOverflow()Z -HPLandroidx/compose/ui/text/TextLayoutResult;->getLastBaseline()F -PLandroidx/compose/ui/text/TextLayoutResult;->getLayoutInput()Landroidx/compose/ui/text/TextLayoutInput; -HPLandroidx/compose/ui/text/TextLayoutResult;->getMultiParagraph()Landroidx/compose/ui/text/MultiParagraph; -HPLandroidx/compose/ui/text/TextLayoutResult;->getSize-YbymL2g()J Landroidx/compose/ui/text/TextRange; HSPLandroidx/compose/ui/text/TextRange;->()V HSPLandroidx/compose/ui/text/TextRange;->access$getZero$cp()J @@ -9811,17 +10414,14 @@ HSPLandroidx/compose/ui/text/TextRangeKt;->coerceIn-8ffj60Q(JII)J HSPLandroidx/compose/ui/text/TextRangeKt;->packWithCheck(II)J Landroidx/compose/ui/text/TextStyle; HSPLandroidx/compose/ui/text/TextStyle;->()V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;)V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Landroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;)V -HPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)V +HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/TextStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/TextStyle;->(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/ParagraphStyle;)V HPLandroidx/compose/ui/text/TextStyle;->(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/ParagraphStyle;Landroidx/compose/ui/text/PlatformTextStyle;)V HSPLandroidx/compose/ui/text/TextStyle;->access$getDefault$cp()Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/ui/text/TextStyle;->copy-CXVQc50$default(Landroidx/compose/ui/text/TextStyle;JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;ILjava/lang/Object;)Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/ui/text/TextStyle;->copy-CXVQc50(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/style/TextAlign;Landroidx/compose/ui/text/style/TextDirection;JLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;Landroidx/compose/ui/text/style/LineBreak;Landroidx/compose/ui/text/style/Hyphens;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/ui/text/TextStyle;->copy-p1EtxEg$default(Landroidx/compose/ui/text/TextStyle;JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;ILjava/lang/Object;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/ui/text/TextStyle;->copy-p1EtxEg(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/TextStyle; HPLandroidx/compose/ui/text/TextStyle;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/text/TextStyle;->getAlpha()F HPLandroidx/compose/ui/text/TextStyle;->getBrush()Landroidx/compose/ui/graphics/Brush; @@ -9831,7 +10431,7 @@ HPLandroidx/compose/ui/text/TextStyle;->getFontFamily()Landroidx/compose/ui/text HPLandroidx/compose/ui/text/TextStyle;->getFontStyle-4Lr2A7w()Landroidx/compose/ui/text/font/FontStyle; HPLandroidx/compose/ui/text/TextStyle;->getFontSynthesis-ZQGJjVo()Landroidx/compose/ui/text/font/FontSynthesis; HPLandroidx/compose/ui/text/TextStyle;->getFontWeight()Landroidx/compose/ui/text/font/FontWeight; -HPLandroidx/compose/ui/text/TextStyle;->getLineBreak-LgCVezo()Landroidx/compose/ui/text/style/LineBreak; +HPLandroidx/compose/ui/text/TextStyle;->getLineBreak-rAG3T2k()I HPLandroidx/compose/ui/text/TextStyle;->getLineHeight-XSAIIZE()J HPLandroidx/compose/ui/text/TextStyle;->getLineHeightStyle()Landroidx/compose/ui/text/style/LineHeightStyle; HPLandroidx/compose/ui/text/TextStyle;->getLocaleList()Landroidx/compose/ui/text/intl/LocaleList; @@ -9839,14 +10439,15 @@ HPLandroidx/compose/ui/text/TextStyle;->getParagraphStyle$ui_text_release()Landr HPLandroidx/compose/ui/text/TextStyle;->getPlatformStyle()Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyle;->getShadow()Landroidx/compose/ui/graphics/Shadow; HSPLandroidx/compose/ui/text/TextStyle;->getSpanStyle$ui_text_release()Landroidx/compose/ui/text/SpanStyle; -HPLandroidx/compose/ui/text/TextStyle;->getTextAlign-buA522U()Landroidx/compose/ui/text/style/TextAlign; +HPLandroidx/compose/ui/text/TextStyle;->getTextAlign-e0LSkKk()I HPLandroidx/compose/ui/text/TextStyle;->getTextDecoration()Landroidx/compose/ui/text/style/TextDecoration; -HPLandroidx/compose/ui/text/TextStyle;->getTextDirection-mmuk1to()Landroidx/compose/ui/text/style/TextDirection; +HPLandroidx/compose/ui/text/TextStyle;->getTextDirection-s_7X-co()I HPLandroidx/compose/ui/text/TextStyle;->getTextIndent()Landroidx/compose/ui/text/style/TextIndent; HPLandroidx/compose/ui/text/TextStyle;->getTextMotion()Landroidx/compose/ui/text/style/TextMotion; -HPLandroidx/compose/ui/text/TextStyle;->merge(Landroidx/compose/ui/text/ParagraphStyle;)Landroidx/compose/ui/text/TextStyle; HPLandroidx/compose/ui/text/TextStyle;->merge(Landroidx/compose/ui/text/TextStyle;)Landroidx/compose/ui/text/TextStyle; -HPLandroidx/compose/ui/text/TextStyle;->toParagraphStyle()Landroidx/compose/ui/text/ParagraphStyle; +HPLandroidx/compose/ui/text/TextStyle;->merge-dA7vx0o$default(Landroidx/compose/ui/text/TextStyle;JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/TextMotion;ILjava/lang/Object;)Landroidx/compose/ui/text/TextStyle; +HPLandroidx/compose/ui/text/TextStyle;->merge-dA7vx0o(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/graphics/drawscope/DrawStyle;IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/PlatformTextStyle;Landroidx/compose/ui/text/style/TextMotion;)Landroidx/compose/ui/text/TextStyle; +HSPLandroidx/compose/ui/text/TextStyle;->toParagraphStyle()Landroidx/compose/ui/text/ParagraphStyle; HPLandroidx/compose/ui/text/TextStyle;->toSpanStyle()Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/TextStyle$Companion; HSPLandroidx/compose/ui/text/TextStyle$Companion;->()V @@ -9856,7 +10457,7 @@ Landroidx/compose/ui/text/TextStyleKt; HPLandroidx/compose/ui/text/TextStyleKt;->access$createPlatformTextStyleInternal(Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyleKt;->createPlatformTextStyleInternal(Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/text/PlatformParagraphStyle;)Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyleKt;->resolveDefaults(Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/unit/LayoutDirection;)Landroidx/compose/ui/text/TextStyle; -HPLandroidx/compose/ui/text/TextStyleKt;->resolveTextDirection-Yj3eThk(Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/text/style/TextDirection;)I +HPLandroidx/compose/ui/text/TextStyleKt;->resolveTextDirection-IhaHGbI(Landroidx/compose/ui/unit/LayoutDirection;I)I Landroidx/compose/ui/text/TextStyleKt$WhenMappings; HSPLandroidx/compose/ui/text/TextStyleKt$WhenMappings;->()V Landroidx/compose/ui/text/android/BoringLayoutFactory; @@ -9868,6 +10469,7 @@ HSPLandroidx/compose/ui/text/android/BoringLayoutFactoryDefault;->()V HSPLandroidx/compose/ui/text/android/BoringLayoutFactoryDefault;->()V HPLandroidx/compose/ui/text/android/BoringLayoutFactoryDefault;->isBoring(Ljava/lang/CharSequence;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;)Landroid/text/BoringLayout$Metrics; Landroidx/compose/ui/text/android/LayoutIntrinsics; +HSPLandroidx/compose/ui/text/android/LayoutIntrinsics;->()V HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->(Ljava/lang/CharSequence;Landroid/text/TextPaint;I)V HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getBoringMetrics()Landroid/text/BoringLayout$Metrics; HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getMaxIntrinsicWidth()F @@ -9879,18 +10481,20 @@ HPLandroidx/compose/ui/text/android/SpannedExtensionsKt;->hasSpan(Landroid/text/ Landroidx/compose/ui/text/android/StaticLayoutFactory; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/CharSequence;IILandroid/text/TextPaint;ILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)Landroid/text/StaticLayout; +HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/CharSequence;Landroid/text/TextPaint;IIILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)Landroid/text/StaticLayout; +HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory23; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->()V HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory26; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V Landroidx/compose/ui/text/android/StaticLayoutFactory28; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V Landroidx/compose/ui/text/android/StaticLayoutFactoryImpl; Landroidx/compose/ui/text/android/StaticLayoutParams; HPLandroidx/compose/ui/text/android/StaticLayoutParams;->(Ljava/lang/CharSequence;IILandroid/text/TextPaint;ILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)V @@ -9918,11 +10522,13 @@ HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->get(I)Landroid/text/Layout$Alignment; Landroidx/compose/ui/text/android/TextAndroidCanvas; +HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V HPLandroidx/compose/ui/text/android/TextAndroidCanvas;->drawTextRun(Ljava/lang/CharSequence;IIIIFFZLandroid/graphics/Paint;)V HPLandroidx/compose/ui/text/android/TextAndroidCanvas;->getClipBounds(Landroid/graphics/Rect;)Z -HPLandroidx/compose/ui/text/android/TextAndroidCanvas;->setCanvas(Landroid/graphics/Canvas;)V +HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->setCanvas(Landroid/graphics/Canvas;)V Landroidx/compose/ui/text/android/TextLayout; +HSPLandroidx/compose/ui/text/android/TextLayout;->()V HPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;)V HSPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/android/TextLayout;->getDidExceedMaxLines()Z @@ -9932,6 +10538,7 @@ HPLandroidx/compose/ui/text/android/TextLayout;->getLayout()Landroid/text/Layout HPLandroidx/compose/ui/text/android/TextLayout;->getLineBaseline(I)F HPLandroidx/compose/ui/text/android/TextLayout;->getLineCount()I HPLandroidx/compose/ui/text/android/TextLayout;->getText()Ljava/lang/CharSequence; +HPLandroidx/compose/ui/text/android/TextLayout;->isFallbackLinespacingApplied$ui_text_release()Z HPLandroidx/compose/ui/text/android/TextLayout;->paint(Landroid/graphics/Canvas;)V Landroidx/compose/ui/text/android/TextLayout$layoutHelper$2; HPLandroidx/compose/ui/text/android/TextLayout$layoutHelper$2;->(Landroidx/compose/ui/text/android/TextLayout;)V @@ -9941,10 +10548,10 @@ HSPLandroidx/compose/ui/text/android/TextLayoutKt;->VerticalPaddings(II)J HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; -HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getSharedTextAndroidCanvas$p()Landroidx/compose/ui/text/android/TextAndroidCanvas; +HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getSharedTextAndroidCanvas$p()Landroidx/compose/ui/text/android/TextAndroidCanvas; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J +HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; HPLandroidx/compose/ui/text/android/TextLayoutKt;->getTextDirectionHeuristic(I)Landroid/text/TextDirectionHeuristic; HPLandroidx/compose/ui/text/android/TextLayoutKt;->getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J @@ -9958,19 +10565,23 @@ Landroidx/compose/ui/text/android/style/IndentationFixSpanKt; HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F -HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F +HSPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F Landroidx/compose/ui/text/android/style/LetterSpacingSpanEm; Landroidx/compose/ui/text/android/style/LetterSpacingSpanPx; -Landroidx/compose/ui/text/android/style/LineHeightSpan; -HPLandroidx/compose/ui/text/android/style/LineHeightSpan;->(F)V -HPLandroidx/compose/ui/text/android/style/LineHeightSpan;->chooseHeight(Ljava/lang/CharSequence;IIIILandroid/graphics/Paint$FontMetricsInt;)V Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; +HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->()V +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->(FIIZZF)V +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->calculateTargetMetrics(Landroid/graphics/Paint$FontMetricsInt;)V +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->chooseHeight(Ljava/lang/CharSequence;IIIILandroid/graphics/Paint$FontMetricsInt;)V +HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getFirstAscentDiff()I +HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getLastDescentDiff()I Landroidx/compose/ui/text/android/style/LineHeightStyleSpanKt; HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpanKt;->lineHeight(Landroid/graphics/Paint$FontMetricsInt;)I Landroidx/compose/ui/text/android/style/PlaceholderSpan; Landroidx/compose/ui/text/caches/ContainerHelpersKt; HSPLandroidx/compose/ui/text/caches/ContainerHelpersKt;->()V Landroidx/compose/ui/text/caches/LruCache; +HSPLandroidx/compose/ui/text/caches/LruCache;->()V HSPLandroidx/compose/ui/text/caches/LruCache;->(I)V HSPLandroidx/compose/ui/text/caches/LruCache;->access$getMonitor$p(Landroidx/compose/ui/text/caches/LruCache;)Landroidx/compose/ui/text/platform/SynchronizedObject; HSPLandroidx/compose/ui/text/caches/LruCache;->create(Ljava/lang/Object;)Ljava/lang/Object; @@ -9981,21 +10592,26 @@ HSPLandroidx/compose/ui/text/caches/LruCache;->size()I HSPLandroidx/compose/ui/text/caches/LruCache;->sizeOf(Ljava/lang/Object;Ljava/lang/Object;)I HSPLandroidx/compose/ui/text/caches/LruCache;->trimToSize(I)V Landroidx/compose/ui/text/caches/SimpleArrayMap; +HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->()V HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->(I)V HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/text/font/AndroidFontLoader; +HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->()V HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->(Landroid/content/Context;)V HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->getCacheKey()Ljava/lang/Object; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; +HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->()V HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->(I)V -HPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; +HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt; HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt;->AndroidFontResolveInterceptor(Landroid/content/Context;)Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; Landroidx/compose/ui/text/font/AsyncTypefaceCache; +HSPLandroidx/compose/ui/text/font/AsyncTypefaceCache;->()V HSPLandroidx/compose/ui/text/font/AsyncTypefaceCache;->()V Landroidx/compose/ui/text/font/AsyncTypefaceCache$AsyncTypefaceResult; HSPLandroidx/compose/ui/text/font/AsyncTypefaceCache$AsyncTypefaceResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/text/font/DefaultFontFamily; +HSPLandroidx/compose/ui/text/font/DefaultFontFamily;->()V HSPLandroidx/compose/ui/text/font/DefaultFontFamily;->()V Landroidx/compose/ui/text/font/FileBasedFontFamily; Landroidx/compose/ui/text/font/Font$ResourceLoader; @@ -10010,6 +10626,7 @@ HSPLandroidx/compose/ui/text/font/FontFamily$Companion;->(Lkotlin/jvm/inte HSPLandroidx/compose/ui/text/font/FontFamily$Companion;->getSansSerif()Landroidx/compose/ui/text/font/GenericFontFamily; Landroidx/compose/ui/text/font/FontFamily$Resolver; Landroidx/compose/ui/text/font/FontFamilyResolverImpl; +HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->()V HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->(Landroidx/compose/ui/text/font/PlatformFontLoader;Landroidx/compose/ui/text/font/PlatformResolveInterceptor;Landroidx/compose/ui/text/font/TypefaceRequestCache;Landroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter;Landroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;)V HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->(Landroidx/compose/ui/text/font/PlatformFontLoader;Landroidx/compose/ui/text/font/PlatformResolveInterceptor;Landroidx/compose/ui/text/font/TypefaceRequestCache;Landroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter;Landroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/FontFamilyResolverImpl;->access$getCreateDefaultTypeface$p(Landroidx/compose/ui/text/font/FontFamilyResolverImpl;)Lkotlin/jvm/functions/Function1; @@ -10043,6 +10660,7 @@ HSPLandroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter$Companion;-> Landroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter$special$$inlined$CoroutineExceptionHandler$1; HSPLandroidx/compose/ui/text/font/FontListFontFamilyTypefaceAdapter$special$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;)V Landroidx/compose/ui/text/font/FontMatcher; +HSPLandroidx/compose/ui/text/font/FontMatcher;->()V HSPLandroidx/compose/ui/text/font/FontMatcher;->()V Landroidx/compose/ui/text/font/FontStyle; HSPLandroidx/compose/ui/text/font/FontStyle;->()V @@ -10092,6 +10710,7 @@ HSPLandroidx/compose/ui/text/font/GenericFontFamily;->()V HSPLandroidx/compose/ui/text/font/GenericFontFamily;->(Ljava/lang/String;Ljava/lang/String;)V HSPLandroidx/compose/ui/text/font/GenericFontFamily;->getName()Ljava/lang/String; Landroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter; +HSPLandroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;->()V HSPLandroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;->()V HSPLandroidx/compose/ui/text/font/PlatformFontFamilyTypefaceAdapter;->resolve(Landroidx/compose/ui/text/font/TypefaceRequest;Landroidx/compose/ui/text/font/PlatformFontLoader;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/ui/text/font/TypefaceResult; Landroidx/compose/ui/text/font/PlatformFontLoader; @@ -10110,13 +10729,14 @@ Landroidx/compose/ui/text/font/PlatformTypefacesApi28; HSPLandroidx/compose/ui/text/font/PlatformTypefacesApi28;->()V HSPLandroidx/compose/ui/text/font/PlatformTypefacesApi28;->createAndroidTypefaceApi28-RetOiIg(Ljava/lang/String;Landroidx/compose/ui/text/font/FontWeight;I)Landroid/graphics/Typeface; HSPLandroidx/compose/ui/text/font/PlatformTypefacesApi28;->createNamed-RetOiIg(Landroidx/compose/ui/text/font/GenericFontFamily;Landroidx/compose/ui/text/font/FontWeight;I)Landroid/graphics/Typeface; -Landroidx/compose/ui/text/font/PlatformTypefacesKt; -HSPLandroidx/compose/ui/text/font/PlatformTypefacesKt;->PlatformTypefaces()Landroidx/compose/ui/text/font/PlatformTypefaces; +Landroidx/compose/ui/text/font/PlatformTypefaces_androidKt; +HSPLandroidx/compose/ui/text/font/PlatformTypefaces_androidKt;->PlatformTypefaces()Landroidx/compose/ui/text/font/PlatformTypefaces; Landroidx/compose/ui/text/font/SystemFontFamily; HSPLandroidx/compose/ui/text/font/SystemFontFamily;->()V HSPLandroidx/compose/ui/text/font/SystemFontFamily;->()V HSPLandroidx/compose/ui/text/font/SystemFontFamily;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/text/font/TypefaceRequest; +HSPLandroidx/compose/ui/text/font/TypefaceRequest;->()V HPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;)V HSPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/font/TypefaceRequest;->equals(Ljava/lang/Object;)Z @@ -10125,6 +10745,7 @@ HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontStyle-_-LCdwA()I HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontWeight()Landroidx/compose/ui/text/font/FontWeight; HPLandroidx/compose/ui/text/font/TypefaceRequest;->hashCode()I Landroidx/compose/ui/text/font/TypefaceRequestCache; +HSPLandroidx/compose/ui/text/font/TypefaceRequestCache;->()V HSPLandroidx/compose/ui/text/font/TypefaceRequestCache;->()V HPLandroidx/compose/ui/text/font/TypefaceRequestCache;->runCached(Landroidx/compose/ui/text/font/TypefaceRequest;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/State; Landroidx/compose/ui/text/font/TypefaceRequestCache$runCached$currentTypefaceResult$1; @@ -10136,15 +10757,12 @@ HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/O HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/Object;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getCacheable()Z HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getValue()Ljava/lang/Object; -Landroidx/compose/ui/text/input/AndroidTextInputServicePlugin; -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->()V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->()V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->createAdapter(Landroidx/compose/ui/text/input/PlatformTextInput;Landroid/view/View;)Landroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter; -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin;->createAdapter(Landroidx/compose/ui/text/input/PlatformTextInput;Landroid/view/View;)Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -Landroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter; -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter;->()V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter;->(Landroidx/compose/ui/text/input/TextInputService;Landroidx/compose/ui/text/input/TextInputServiceAndroid;)V -HSPLandroidx/compose/ui/text/input/AndroidTextInputServicePlugin$Adapter;->getService()Landroidx/compose/ui/text/input/TextInputService; +Landroidx/compose/ui/text/input/CursorAnchorInfoController; +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->()V +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->(Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;)V +Landroidx/compose/ui/text/input/CursorAnchorInfoController$textFieldToRootTransform$1; +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController$textFieldToRootTransform$1;->()V +HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController$textFieldToRootTransform$1;->()V Landroidx/compose/ui/text/input/ImeAction; HSPLandroidx/compose/ui/text/input/ImeAction;->()V HSPLandroidx/compose/ui/text/input/ImeAction;->access$getDefault$cp()I @@ -10155,9 +10773,9 @@ HSPLandroidx/compose/ui/text/input/ImeAction$Companion;->(Lkotlin/jvm/inte HSPLandroidx/compose/ui/text/input/ImeAction$Companion;->getDefault-eUduSuo()I Landroidx/compose/ui/text/input/ImeOptions; HSPLandroidx/compose/ui/text/input/ImeOptions;->()V -HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZII)V -HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIIILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILandroidx/compose/ui/text/input/PlatformImeOptions;)V +HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILandroidx/compose/ui/text/input/PlatformImeOptions;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/input/ImeOptions;->(ZIZIILandroidx/compose/ui/text/input/PlatformImeOptions;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/input/ImeOptions;->access$getDefault$cp()Landroidx/compose/ui/text/input/ImeOptions; Landroidx/compose/ui/text/input/ImeOptions$Companion; HSPLandroidx/compose/ui/text/input/ImeOptions$Companion;->()V @@ -10165,6 +10783,7 @@ HSPLandroidx/compose/ui/text/input/ImeOptions$Companion;->(Lkotlin/jvm/int HSPLandroidx/compose/ui/text/input/ImeOptions$Companion;->getDefault()Landroidx/compose/ui/text/input/ImeOptions; Landroidx/compose/ui/text/input/InputMethodManager; Landroidx/compose/ui/text/input/InputMethodManagerImpl; +HSPLandroidx/compose/ui/text/input/InputMethodManagerImpl;->()V HSPLandroidx/compose/ui/text/input/InputMethodManagerImpl;->(Landroid/view/View;)V Landroidx/compose/ui/text/input/InputMethodManagerImpl$imm$2; HSPLandroidx/compose/ui/text/input/InputMethodManagerImpl$imm$2;->(Landroidx/compose/ui/text/input/InputMethodManagerImpl;)V @@ -10184,29 +10803,6 @@ Landroidx/compose/ui/text/input/KeyboardType$Companion; HSPLandroidx/compose/ui/text/input/KeyboardType$Companion;->()V HSPLandroidx/compose/ui/text/input/KeyboardType$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/input/KeyboardType$Companion;->getText-PjHm6EE()I -Landroidx/compose/ui/text/input/PlatformTextInput; -Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -Landroidx/compose/ui/text/input/PlatformTextInputPlugin; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistry; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->()V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->(Lkotlin/jvm/functions/Function2;)V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->getOrCreateAdapter(Landroidx/compose/ui/text/input/PlatformTextInputPlugin;)Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;->instantiateAdapter(Landroidx/compose/ui/text/input/PlatformTextInputPlugin;)Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle;->()V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle;->(Landroidx/compose/ui/text/input/PlatformTextInputAdapter;Lkotlin/jvm/functions/Function0;)V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterHandle;->getAdapter()Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterInput; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterInput;->(Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;Landroidx/compose/ui/text/input/PlatformTextInputPlugin;)V -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->(Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl;Landroidx/compose/ui/text/input/PlatformTextInputAdapter;)V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->getAdapter()Landroidx/compose/ui/text/input/PlatformTextInputAdapter; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->getRefCount()I -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->incrementRefCount()V -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;->setRefCount(I)V -Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$getOrCreateAdapter$1; -HSPLandroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$getOrCreateAdapter$1;->(Landroidx/compose/ui/text/input/PlatformTextInputPluginRegistryImpl$AdapterWithRefCount;)V Landroidx/compose/ui/text/input/PlatformTextInputService; Landroidx/compose/ui/text/input/TextFieldValue; HSPLandroidx/compose/ui/text/input/TextFieldValue;->()V @@ -10229,9 +10825,10 @@ Landroidx/compose/ui/text/input/TextInputService; HSPLandroidx/compose/ui/text/input/TextInputService;->()V HSPLandroidx/compose/ui/text/input/TextInputService;->(Landroidx/compose/ui/text/input/PlatformTextInputService;)V Landroidx/compose/ui/text/input/TextInputServiceAndroid; -HPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/text/input/InputMethodManager;Landroidx/compose/ui/text/input/PlatformTextInput;Ljava/util/concurrent/Executor;)V -HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/text/input/InputMethodManager;Landroidx/compose/ui/text/input/PlatformTextInput;Ljava/util/concurrent/Executor;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/text/input/PlatformTextInput;)V +HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->()V +HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/input/pointer/PositionCalculator;)V +HPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;Ljava/util/concurrent/Executor;)V +HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid;->(Landroid/view/View;Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;Ljava/util/concurrent/Executor;ILkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/text/input/TextInputServiceAndroid$TextInputCommand; Landroidx/compose/ui/text/input/TextInputServiceAndroid$baseInputConnection$2; HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid$baseInputConnection$2;->(Landroidx/compose/ui/text/input/TextInputServiceAndroid;)V @@ -10246,8 +10843,10 @@ HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid_androidKt;->asExecuto Landroidx/compose/ui/text/input/TextInputServiceAndroid_androidKt$$ExternalSyntheticLambda1; HSPLandroidx/compose/ui/text/input/TextInputServiceAndroid_androidKt$$ExternalSyntheticLambda1;->(Landroid/view/Choreographer;)V Landroidx/compose/ui/text/intl/AndroidLocale; +HSPLandroidx/compose/ui/text/intl/AndroidLocale;->()V HSPLandroidx/compose/ui/text/intl/AndroidLocale;->(Ljava/util/Locale;)V Landroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24; +HSPLandroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24;->()V HSPLandroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24;->()V HPLandroidx/compose/ui/text/intl/AndroidLocaleDelegateAPI24;->getCurrent()Landroidx/compose/ui/text/intl/LocaleList; Landroidx/compose/ui/text/intl/AndroidPlatformLocale_androidKt; @@ -10270,7 +10869,7 @@ Landroidx/compose/ui/text/intl/PlatformLocale; Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/intl/PlatformLocaleKt; HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->()V -HPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; +HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt; HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->createCharSequence(Ljava/lang/String;FLandroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Lkotlin/jvm/functions/Function4;Z)Ljava/lang/CharSequence; @@ -10278,6 +10877,7 @@ HPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->isInclud Landroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt$NoopSpan$1; HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt$NoopSpan$1;->()V Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics; +HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/text/font/FontFamily$Resolver;Landroidx/compose/ui/unit/Density;)V HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getCharSequence$ui_text_release()Ljava/lang/CharSequence; HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getFontFamilyResolver()Landroidx/compose/ui/text/font/FontFamily$Resolver; @@ -10295,10 +10895,11 @@ Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->ActualParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->access$getHasEmojiCompat(Landroidx/compose/ui/text/TextStyle;)Z HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->getHasEmojiCompat(Landroidx/compose/ui/text/TextStyle;)Z -HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->resolveTextDirectionHeuristics-9GRLPo0(Landroidx/compose/ui/text/style/TextDirection;Landroidx/compose/ui/text/intl/LocaleList;)I +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics_androidKt;->resolveTextDirectionHeuristics-HklW4sA(ILandroidx/compose/ui/text/intl/LocaleList;)I Landroidx/compose/ui/text/platform/AndroidParagraph_androidKt; HPLandroidx/compose/ui/text/platform/AndroidParagraph_androidKt;->ActualParagraph--hBUhpc(Landroidx/compose/ui/text/ParagraphIntrinsics;IZJ)Landroidx/compose/ui/text/Paragraph; Landroidx/compose/ui/text/platform/AndroidTextPaint; +HSPLandroidx/compose/ui/text/platform/AndroidTextPaint;->()V HPLandroidx/compose/ui/text/platform/AndroidTextPaint;->(IF)V HPLandroidx/compose/ui/text/platform/AndroidTextPaint;->getBlendMode-0nO6VwU()I HPLandroidx/compose/ui/text/platform/AndroidTextPaint;->setBlendMode-s9anfk8(I)V @@ -10315,32 +10916,37 @@ HPLandroidx/compose/ui/text/platform/DefaultImpl;->getFontLoaded()Landroidx/comp Landroidx/compose/ui/text/platform/DefaultImpl$getFontLoadState$initCallback$1; HSPLandroidx/compose/ui/text/platform/DefaultImpl$getFontLoadState$initCallback$1;->(Landroidx/compose/runtime/MutableState;Landroidx/compose/ui/text/platform/DefaultImpl;)V PLandroidx/compose/ui/text/platform/DefaultImpl$getFontLoadState$initCallback$1;->onFailed(Ljava/lang/Throwable;)V +Landroidx/compose/ui/text/platform/DispatcherKt; +HSPLandroidx/compose/ui/text/platform/DispatcherKt;->()V +HSPLandroidx/compose/ui/text/platform/DispatcherKt;->getFontCacheManagementDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; Landroidx/compose/ui/text/platform/EmojiCompatStatus; HSPLandroidx/compose/ui/text/platform/EmojiCompatStatus;->()V HSPLandroidx/compose/ui/text/platform/EmojiCompatStatus;->()V HPLandroidx/compose/ui/text/platform/EmojiCompatStatus;->getFontLoaded()Landroidx/compose/runtime/State; Landroidx/compose/ui/text/platform/EmojiCompatStatusDelegate; -PLandroidx/compose/ui/text/platform/EmojiCompatStatusKt;->()V -PLandroidx/compose/ui/text/platform/EmojiCompatStatusKt;->access$getFalsey$p()Landroidx/compose/ui/text/platform/ImmutableBool; +PLandroidx/compose/ui/text/platform/EmojiCompatStatus_androidKt;->()V +PLandroidx/compose/ui/text/platform/EmojiCompatStatus_androidKt;->access$getFalsey$p()Landroidx/compose/ui/text/platform/ImmutableBool; PLandroidx/compose/ui/text/platform/ImmutableBool;->(Z)V HPLandroidx/compose/ui/text/platform/ImmutableBool;->getValue()Ljava/lang/Boolean; HPLandroidx/compose/ui/text/platform/ImmutableBool;->getValue()Ljava/lang/Object; Landroidx/compose/ui/text/platform/Synchronization_jvmKt; HSPLandroidx/compose/ui/text/platform/Synchronization_jvmKt;->createSynchronizedObject()Landroidx/compose/ui/text/platform/SynchronizedObject; Landroidx/compose/ui/text/platform/SynchronizedObject; +HSPLandroidx/compose/ui/text/platform/SynchronizedObject;->()V HSPLandroidx/compose/ui/text/platform/SynchronizedObject;->()V Landroidx/compose/ui/text/platform/URLSpanCache; HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V Landroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt; -HPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V +HSPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt; HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->flattenFontStylesAndApply(Landroidx/compose/ui/text/SpanStyle;Ljava/util/List;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->hasFontAttributes(Landroidx/compose/ui/text/TextStyle;)Z +HSPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->isNonLinearFontScalingActive(Landroidx/compose/ui/unit/Density;)Z HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->resolveLineHeightInPx-o2QH7mI(JFLandroidx/compose/ui/unit/Density;)F HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setFontAttributes(Landroid/text/Spannable;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Lkotlin/jvm/functions/Function4;)V -HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setLineHeight-r9BaKPg(Landroid/text/Spannable;JFLandroidx/compose/ui/unit/Density;)V -HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setSpan(Landroid/text/Spannable;Ljava/lang/Object;II)V +HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setLineHeight-KmRG4DE(Landroid/text/Spannable;JFLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/style/LineHeightStyle;)V +HSPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setSpan(Landroid/text/Spannable;Ljava/lang/Object;II)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setSpanStyles(Landroid/text/Spannable;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Landroidx/compose/ui/unit/Density;Lkotlin/jvm/functions/Function4;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setTextIndent(Landroid/text/Spannable;Landroidx/compose/ui/text/style/TextIndent;FLandroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt$setFontAttributes$1; @@ -10366,54 +10972,45 @@ HPLandroidx/compose/ui/text/style/BaselineShift$Companion;->getNone-y9eOQZs()F Landroidx/compose/ui/text/style/BrushStyle; Landroidx/compose/ui/text/style/ColorStyle; HPLandroidx/compose/ui/text/style/ColorStyle;->(J)V -HPLandroidx/compose/ui/text/style/ColorStyle;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/ColorStyle;->(JLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/style/ColorStyle;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/text/style/ColorStyle;->getAlpha()F HSPLandroidx/compose/ui/text/style/ColorStyle;->getBrush()Landroidx/compose/ui/graphics/Brush; HPLandroidx/compose/ui/text/style/ColorStyle;->getColor-0d7_KjU()J Landroidx/compose/ui/text/style/Hyphens; HSPLandroidx/compose/ui/text/style/Hyphens;->()V -HPLandroidx/compose/ui/text/style/Hyphens;->(I)V HSPLandroidx/compose/ui/text/style/Hyphens;->access$getAuto$cp()I HPLandroidx/compose/ui/text/style/Hyphens;->access$getNone$cp()I -HPLandroidx/compose/ui/text/style/Hyphens;->box-impl(I)Landroidx/compose/ui/text/style/Hyphens; +HPLandroidx/compose/ui/text/style/Hyphens;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/Hyphens;->constructor-impl(I)I -HPLandroidx/compose/ui/text/style/Hyphens;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/Hyphens;->equals-impl(ILjava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/Hyphens;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/Hyphens;->unbox-impl()I Landroidx/compose/ui/text/style/Hyphens$Companion; HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->()V HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->getAuto-vmbZdU8()I HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getNone-vmbZdU8()I +HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getUnspecified-vmbZdU8()I Landroidx/compose/ui/text/style/LineBreak; HSPLandroidx/compose/ui/text/style/LineBreak;->()V -HPLandroidx/compose/ui/text/style/LineBreak;->(I)V -HPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I -HPLandroidx/compose/ui/text/style/LineBreak;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak; +HSPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I +HPLandroidx/compose/ui/text/style/LineBreak;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/LineBreak;->constructor-impl(I)I -HSPLandroidx/compose/ui/text/style/LineBreak;->constructor-impl(III)I -HPLandroidx/compose/ui/text/style/LineBreak;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/LineBreak;->equals-impl(ILjava/lang/Object;)Z +HSPLandroidx/compose/ui/text/style/LineBreak;->equals-impl0(II)Z HPLandroidx/compose/ui/text/style/LineBreak;->getStrategy-fcGXIks(I)I HPLandroidx/compose/ui/text/style/LineBreak;->getStrictness-usljTpc(I)I HPLandroidx/compose/ui/text/style/LineBreak;->getWordBreak-jp8hJ3c(I)I -HPLandroidx/compose/ui/text/style/LineBreak;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I +HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I +HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getUnspecified-rAG3T2k()I Landroidx/compose/ui/text/style/LineBreak$Strategy; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->()V -HPLandroidx/compose/ui/text/style/LineBreak$Strategy;->(I)V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getBalanced$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getHighQuality$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getSimple$cp()I -HPLandroidx/compose/ui/text/style/LineBreak$Strategy;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak$Strategy; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->equals-impl0(II)Z -HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$Strategy$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10422,15 +11019,12 @@ HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getHighQuality HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getSimple-fcGXIks()I Landroidx/compose/ui/text/style/LineBreak$Strictness; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->()V -HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->(I)V HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getLoose$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getNormal$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getStrict$cp()I -HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak$Strictness; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$Strictness$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10440,13 +11034,10 @@ HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getNormal-us HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getStrict-usljTpc()I Landroidx/compose/ui/text/style/LineBreak$WordBreak; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->()V -HPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->(I)V HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getPhrase$cp()I -HPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->box-impl(I)Landroidx/compose/ui/text/style/LineBreak$WordBreak; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->equals-impl0(II)Z -HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->unbox-impl()I Landroidx/compose/ui/text/style/LineBreak$WordBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10461,20 +11052,48 @@ HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->packBytes(III)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte1(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte2(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte3(I)I +Landroidx/compose/ui/text/style/LineHeightStyle; +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FI)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/text/style/LineHeightStyle;->getAlignment-PIaL0Z0()F +HPLandroidx/compose/ui/text/style/LineHeightStyle;->getTrim-EVpEnUU()I +Landroidx/compose/ui/text/style/LineHeightStyle$Alignment; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->access$getCenter$cp()F +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->access$getProportional$cp()F +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->constructor-impl(F)F +Landroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->getCenter-PIaL0Z0()F +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment$Companion;->getProportional-PIaL0Z0()F +Landroidx/compose/ui/text/style/LineHeightStyle$Companion; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Companion;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/ui/text/style/LineHeightStyle$Trim; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->access$getBoth$cp()I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->access$getNone$cp()I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->constructor-impl(I)I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->isTrimFirstLineTop-impl$ui_text_release(I)Z +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim;->isTrimLastLineBottom-impl$ui_text_release(I)Z +Landroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion; +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->()V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getBoth-EVpEnUU()I +HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getNone-EVpEnUU()I Landroidx/compose/ui/text/style/TextAlign; HSPLandroidx/compose/ui/text/style/TextAlign;->()V -HPLandroidx/compose/ui/text/style/TextAlign;->(I)V HSPLandroidx/compose/ui/text/style/TextAlign;->access$getCenter$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->access$getJustify$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->access$getLeft$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->access$getRight$cp()I HPLandroidx/compose/ui/text/style/TextAlign;->access$getStart$cp()I -HPLandroidx/compose/ui/text/style/TextAlign;->box-impl(I)Landroidx/compose/ui/text/style/TextAlign; +HPLandroidx/compose/ui/text/style/TextAlign;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->constructor-impl(I)I -HPLandroidx/compose/ui/text/style/TextAlign;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/TextAlign;->equals-impl(ILjava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/TextAlign;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/TextAlign;->unbox-impl()I Landroidx/compose/ui/text/style/TextAlign$Companion; HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->()V HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10483,6 +11102,7 @@ HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getJustify-e0LSkKk()I HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getLeft-e0LSkKk()I HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getRight-e0LSkKk()I HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getStart-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getUnspecified-e0LSkKk()I Landroidx/compose/ui/text/style/TextDecoration; HSPLandroidx/compose/ui/text/style/TextDecoration;->()V HSPLandroidx/compose/ui/text/style/TextDecoration;->(I)V @@ -10496,17 +11116,13 @@ HPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getNone()Landroidx/ HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getUnderline()Landroidx/compose/ui/text/style/TextDecoration; Landroidx/compose/ui/text/style/TextDirection; HSPLandroidx/compose/ui/text/style/TextDirection;->()V -HPLandroidx/compose/ui/text/style/TextDirection;->(I)V HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContent$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrLtr$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrRtl$cp()I HPLandroidx/compose/ui/text/style/TextDirection;->access$getLtr$cp()I -HPLandroidx/compose/ui/text/style/TextDirection;->box-impl(I)Landroidx/compose/ui/text/style/TextDirection; +HPLandroidx/compose/ui/text/style/TextDirection;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->constructor-impl(I)I -HPLandroidx/compose/ui/text/style/TextDirection;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/text/style/TextDirection;->equals-impl(ILjava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/TextDirection;->equals-impl0(II)Z -HPLandroidx/compose/ui/text/style/TextDirection;->unbox-impl()I Landroidx/compose/ui/text/style/TextDirection$Companion; HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->()V HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10514,6 +11130,7 @@ HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContent-s_7X-co( HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrLtr-s_7X-co()I HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrRtl-s_7X-co()I HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getLtr-s_7X-co()I +HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getUnspecified-s_7X-co()I Landroidx/compose/ui/text/style/TextForegroundStyle; HSPLandroidx/compose/ui/text/style/TextForegroundStyle;->()V HPLandroidx/compose/ui/text/style/TextForegroundStyle;->merge(Landroidx/compose/ui/text/style/TextForegroundStyle;)Landroidx/compose/ui/text/style/TextForegroundStyle; @@ -10553,13 +11170,12 @@ HSPLandroidx/compose/ui/text/style/TextIndent;->getRestLine-XSAIIZE()J Landroidx/compose/ui/text/style/TextIndent$Companion; HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->()V HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; +HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; Landroidx/compose/ui/text/style/TextMotion; HSPLandroidx/compose/ui/text/style/TextMotion;->()V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZ)V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextMotion;->access$getStatic$cp()Landroidx/compose/ui/text/style/TextMotion; -HSPLandroidx/compose/ui/text/style/TextMotion;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/text/style/TextMotion;->getLinearity-4e0Vf04$ui_text_release()I HSPLandroidx/compose/ui/text/style/TextMotion;->getSubpixelTextPositioning$ui_text_release()Z Landroidx/compose/ui/text/style/TextMotion$Companion; @@ -10581,6 +11197,7 @@ Landroidx/compose/ui/text/style/TextOverflow; HSPLandroidx/compose/ui/text/style/TextOverflow;->()V HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getClip$cp()I HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getEllipsis$cp()I +HPLandroidx/compose/ui/text/style/TextOverflow;->access$getVisible$cp()I HSPLandroidx/compose/ui/text/style/TextOverflow;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/TextOverflow;->equals-impl0(II)Z Landroidx/compose/ui/text/style/TextOverflow$Companion; @@ -10588,6 +11205,7 @@ HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->()V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getClip-gIe3tQ8()I HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getEllipsis-gIe3tQ8()I +HPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getVisible-gIe3tQ8()I Landroidx/compose/ui/unit/AndroidDensity_androidKt; HSPLandroidx/compose/ui/unit/AndroidDensity_androidKt;->Density(Landroid/content/Context;)Landroidx/compose/ui/unit/Density; Landroidx/compose/ui/unit/Constraints; @@ -10595,7 +11213,7 @@ HSPLandroidx/compose/ui/unit/Constraints;->()V HPLandroidx/compose/ui/unit/Constraints;->(J)V HPLandroidx/compose/ui/unit/Constraints;->access$getMinHeightOffsets$cp()[I HPLandroidx/compose/ui/unit/Constraints;->box-impl(J)Landroidx/compose/ui/unit/Constraints; -HSPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J +HPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA$default(JIIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA(JIIII)J PLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z @@ -10622,7 +11240,7 @@ PLandroidx/compose/ui/unit/Constraints$Companion;->fixedWidth-OenEA2s(I)J Landroidx/compose/ui/unit/ConstraintsKt; HPLandroidx/compose/ui/unit/ConstraintsKt;->Constraints$default(IIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/ConstraintsKt;->Constraints(IIII)J -HSPLandroidx/compose/ui/unit/ConstraintsKt;->addMaxWithMinimum(II)I +HPLandroidx/compose/ui/unit/ConstraintsKt;->addMaxWithMinimum(II)I HPLandroidx/compose/ui/unit/ConstraintsKt;->constrain-4WqzIAM(JJ)J HPLandroidx/compose/ui/unit/ConstraintsKt;->constrain-N9IONVI(JJ)J HPLandroidx/compose/ui/unit/ConstraintsKt;->constrainHeight-K40F9xA(JI)I @@ -10638,26 +11256,30 @@ HPLandroidx/compose/ui/unit/Density;->toPx-0680j_4(F)F Landroidx/compose/ui/unit/DensityImpl; HSPLandroidx/compose/ui/unit/DensityImpl;->(FF)V HPLandroidx/compose/ui/unit/DensityImpl;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/ui/unit/DensityImpl;->getDensity()F -HPLandroidx/compose/ui/unit/DensityImpl;->getFontScale()F +PLandroidx/compose/ui/unit/DensityImpl;->getDensity()F Landroidx/compose/ui/unit/DensityKt; HSPLandroidx/compose/ui/unit/DensityKt;->Density$default(FFILjava/lang/Object;)Landroidx/compose/ui/unit/Density; HSPLandroidx/compose/ui/unit/DensityKt;->Density(FF)Landroidx/compose/ui/unit/Density; +Landroidx/compose/ui/unit/DensityWithConverter; +HSPLandroidx/compose/ui/unit/DensityWithConverter;->(FFLandroidx/compose/ui/unit/fontscaling/FontScaleConverter;)V +HSPLandroidx/compose/ui/unit/DensityWithConverter;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/DensityWithConverter;->getDensity()F +HPLandroidx/compose/ui/unit/DensityWithConverter;->getFontScale()F Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->()V HPLandroidx/compose/ui/unit/Dp;->(F)V -HSPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F +HPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F HPLandroidx/compose/ui/unit/Dp;->box-impl(F)Landroidx/compose/ui/unit/Dp; -HPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I +HSPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I HSPLandroidx/compose/ui/unit/Dp;->constructor-impl(F)F -HPLandroidx/compose/ui/unit/Dp;->equals(Ljava/lang/Object;)Z +HSPLandroidx/compose/ui/unit/Dp;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/Dp;->equals-impl(FLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/Dp;->equals-impl0(FF)Z HPLandroidx/compose/ui/unit/Dp;->unbox-impl()F Landroidx/compose/ui/unit/Dp$Companion; HSPLandroidx/compose/ui/unit/Dp$Companion;->()V HSPLandroidx/compose/ui/unit/Dp$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/unit/Dp$Companion;->getUnspecified-D9Ej5fM()F +HPLandroidx/compose/ui/unit/Dp$Companion;->getUnspecified-D9Ej5fM()F Landroidx/compose/ui/unit/DpKt; HSPLandroidx/compose/ui/unit/DpKt;->DpOffset-YgX7TsA(FF)J PLandroidx/compose/ui/unit/DpKt;->DpSize-YgX7TsA(FF)J @@ -10673,17 +11295,27 @@ PLandroidx/compose/ui/unit/DpSize;->getHeight-D9Ej5fM(J)F PLandroidx/compose/ui/unit/DpSize;->getWidth-D9Ej5fM(J)F PLandroidx/compose/ui/unit/DpSize$Companion;->()V PLandroidx/compose/ui/unit/DpSize$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +Landroidx/compose/ui/unit/FontScaling; +HPLandroidx/compose/ui/unit/FontScaling;->toDp-GaN1DYA(J)F +Landroidx/compose/ui/unit/FontScalingKt; +HSPLandroidx/compose/ui/unit/FontScalingKt;->()V +HSPLandroidx/compose/ui/unit/FontScalingKt;->getDisableNonLinearFontScalingInCompose()Z Landroidx/compose/ui/unit/IntOffset; HSPLandroidx/compose/ui/unit/IntOffset;->()V -HSPLandroidx/compose/ui/unit/IntOffset;->(J)V +HPLandroidx/compose/ui/unit/IntOffset;->(J)V HPLandroidx/compose/ui/unit/IntOffset;->access$getZero$cp()J -HSPLandroidx/compose/ui/unit/IntOffset;->box-impl(J)Landroidx/compose/ui/unit/IntOffset; +HPLandroidx/compose/ui/unit/IntOffset;->box-impl(J)Landroidx/compose/ui/unit/IntOffset; HSPLandroidx/compose/ui/unit/IntOffset;->component1-impl(J)I HSPLandroidx/compose/ui/unit/IntOffset;->component2-impl(J)I HPLandroidx/compose/ui/unit/IntOffset;->constructor-impl(J)J +PLandroidx/compose/ui/unit/IntOffset;->copy-iSbpLlY$default(JIIILjava/lang/Object;)J +PLandroidx/compose/ui/unit/IntOffset;->copy-iSbpLlY(JII)J +HPLandroidx/compose/ui/unit/IntOffset;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/IntOffset;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/IntOffset;->equals-impl0(JJ)Z HPLandroidx/compose/ui/unit/IntOffset;->getX-impl(J)I HPLandroidx/compose/ui/unit/IntOffset;->getY-impl(J)I +HPLandroidx/compose/ui/unit/IntOffset;->unbox-impl()J Landroidx/compose/ui/unit/IntOffset$Companion; HSPLandroidx/compose/ui/unit/IntOffset$Companion;->()V HSPLandroidx/compose/ui/unit/IntOffset$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10695,7 +11327,7 @@ Landroidx/compose/ui/unit/IntSize; HSPLandroidx/compose/ui/unit/IntSize;->()V HSPLandroidx/compose/ui/unit/IntSize;->(J)V HPLandroidx/compose/ui/unit/IntSize;->access$getZero$cp()J -HSPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; +HPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; HPLandroidx/compose/ui/unit/IntSize;->constructor-impl(J)J HSPLandroidx/compose/ui/unit/IntSize;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/unit/IntSize;->equals-impl(JLjava/lang/Object;)Z @@ -10715,12 +11347,14 @@ HSPLandroidx/compose/ui/unit/LayoutDirection;->$values()[Landroidx/compose/ui/un HSPLandroidx/compose/ui/unit/LayoutDirection;->()V HSPLandroidx/compose/ui/unit/LayoutDirection;->(Ljava/lang/String;I)V HSPLandroidx/compose/ui/unit/LayoutDirection;->values()[Landroidx/compose/ui/unit/LayoutDirection; +Landroidx/compose/ui/unit/LinearFontScaleConverter; +HSPLandroidx/compose/ui/unit/LinearFontScaleConverter;->(F)V Landroidx/compose/ui/unit/TextUnit; HSPLandroidx/compose/ui/unit/TextUnit;->()V HPLandroidx/compose/ui/unit/TextUnit;->access$getUnspecified$cp()J HSPLandroidx/compose/ui/unit/TextUnit;->constructor-impl(J)J HSPLandroidx/compose/ui/unit/TextUnit;->equals-impl0(JJ)Z -HSPLandroidx/compose/ui/unit/TextUnit;->getRawType-impl(J)J +HPLandroidx/compose/ui/unit/TextUnit;->getRawType-impl(J)J HPLandroidx/compose/ui/unit/TextUnit;->getType-UIouoOA(J)J HPLandroidx/compose/ui/unit/TextUnit;->getValue-impl(J)F Landroidx/compose/ui/unit/TextUnit$Companion; @@ -10749,6 +11383,21 @@ HSPLandroidx/compose/ui/unit/TextUnitType$Companion;->(Lkotlin/jvm/interna HSPLandroidx/compose/ui/unit/TextUnitType$Companion;->getEm-UIouoOA()J HPLandroidx/compose/ui/unit/TextUnitType$Companion;->getSp-UIouoOA()J HSPLandroidx/compose/ui/unit/TextUnitType$Companion;->getUnspecified-UIouoOA()J +Landroidx/compose/ui/unit/fontscaling/FontScaleConverter; +Landroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->forScale(F)Landroidx/compose/ui/unit/fontscaling/FontScaleConverter; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->getKey(F)I +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->getScaleFromKey(I)F +HPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->isNonLinearFontScalingActive(F)Z +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterFactory;->putInto(Landroidx/collection/SparseArrayCompat;FLandroidx/compose/ui/unit/fontscaling/FontScaleConverter;)V +Landroidx/compose/ui/unit/fontscaling/FontScaleConverterTable; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable;->([F[F)V +Landroidx/compose/ui/unit/fontscaling/FontScaleConverterTable$Companion; +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable$Companion;->()V +HSPLandroidx/compose/ui/unit/fontscaling/FontScaleConverterTable$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/util/MathHelpersKt; HSPLandroidx/compose/ui/util/MathHelpersKt;->lerp(FFF)F PLandroidx/concurrent/futures/AbstractResolvableFuture;->()V @@ -10813,7 +11462,7 @@ HSPLandroidx/core/graphics/Insets;->()V HPLandroidx/core/graphics/Insets;->(IIII)V HSPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z HSPLandroidx/core/graphics/Insets;->of(IIII)Landroidx/core/graphics/Insets; -HPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; +HSPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; Landroidx/core/graphics/drawable/TintAwareDrawable; Landroidx/core/os/HandlerCompat; HSPLandroidx/core/os/HandlerCompat;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; @@ -10827,28 +11476,25 @@ HSPLandroidx/core/os/LocaleListCompat;->forLanguageTags(Ljava/lang/String;)Landr HSPLandroidx/core/os/LocaleListCompat;->wrap(Landroid/os/LocaleList;)Landroidx/core/os/LocaleListCompat; Landroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0; HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;I)Z +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Z)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;I)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;Z)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m()I +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;)I +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$8(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;Landroid/graphics/RenderNode;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)F HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)I HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Landroid/graphics/RecordingCanvas; -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;I)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;IIII)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Outline;)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/RenderEffect;)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Z)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;ZLandroid/graphics/Paint;)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;)Ljava/util/Map; HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Ljava/lang/String;)Landroid/graphics/RenderNode; Landroidx/core/os/LocaleListCompat$Api21Impl; HSPLandroidx/core/os/LocaleListCompat$Api21Impl;->()V @@ -11000,7 +11646,7 @@ HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->(Landroidx/core/view/Wi HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->copyRootViewBounds(Landroid/view/View;)V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsetsIgnoringVisibility(I)Landroidx/core/graphics/Insets; -HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z +HPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z Landroidx/core/view/WindowInsetsCompat$Type; HSPLandroidx/core/view/WindowInsetsCompat$Type;->captionBar()I HSPLandroidx/core/view/WindowInsetsCompat$Type;->displayCutout()I @@ -11038,7 +11684,6 @@ Landroidx/customview/poolingcontainer/PoolingContainerListenerHolder; HSPLandroidx/customview/poolingcontainer/PoolingContainerListenerHolder;->()V HSPLandroidx/customview/poolingcontainer/PoolingContainerListenerHolder;->addListener(Landroidx/customview/poolingcontainer/PoolingContainerListener;)V Landroidx/customview/poolingcontainer/R$id; -PLandroidx/datastore/DataStoreFile;->dataStoreFile(Landroid/content/Context;Ljava/lang/String;)Ljava/io/File; PLandroidx/datastore/core/AtomicInt;->(I)V PLandroidx/datastore/core/AtomicInt;->decrementAndGet()I PLandroidx/datastore/core/AtomicInt;->get()I @@ -11239,7 +11884,6 @@ PLandroidx/datastore/core/okio/OkioWriteScope;->(Lokio/FileSystem;Lokio/Pa PLandroidx/datastore/core/okio/OkioWriteScope;->writeData(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/okio/OkioWriteScope$writeData$1;->(Landroidx/datastore/core/okio/OkioWriteScope;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/okio/Synchronizer;->()V -PLandroidx/datastore/preferences/PreferenceDataStoreFile;->preferencesDataStoreFile(Landroid/content/Context;Ljava/lang/String;)Ljava/io/File; PLandroidx/datastore/preferences/PreferencesProto$1;->()V PLandroidx/datastore/preferences/PreferencesProto$PreferenceMap;->()V PLandroidx/datastore/preferences/PreferencesProto$PreferenceMap;->()V @@ -11689,40 +12333,6 @@ PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalS Landroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable; HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->()V PLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V -HPLandroidx/exifinterface/media/ExifInterface;->()V -PLandroidx/exifinterface/media/ExifInterface;->(Ljava/io/InputStream;)V -PLandroidx/exifinterface/media/ExifInterface;->(Ljava/io/InputStream;I)V -PLandroidx/exifinterface/media/ExifInterface;->addDefaultValuesForCompatibility()V -PLandroidx/exifinterface/media/ExifInterface;->getAttribute(Ljava/lang/String;)Ljava/lang/String; -PLandroidx/exifinterface/media/ExifInterface;->getAttributeInt(Ljava/lang/String;I)I -PLandroidx/exifinterface/media/ExifInterface;->getExifAttribute(Ljava/lang/String;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface;->getJpegAttributes(Landroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;II)V -PLandroidx/exifinterface/media/ExifInterface;->getMimeType(Ljava/io/BufferedInputStream;)I -PLandroidx/exifinterface/media/ExifInterface;->getRotationDegrees()I -PLandroidx/exifinterface/media/ExifInterface;->isFlipped()Z -PLandroidx/exifinterface/media/ExifInterface;->isJpegFormat([B)Z -PLandroidx/exifinterface/media/ExifInterface;->loadAttributes(Ljava/io/InputStream;)V -PLandroidx/exifinterface/media/ExifInterface;->shouldSupportSeek(I)Z -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->(Ljava/io/InputStream;)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->(Ljava/io/InputStream;Ljava/nio/ByteOrder;)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->([B)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readByte()B -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readFully([B)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readInt()I -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readUnsignedInt()J -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->readUnsignedShort()I -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->setByteOrder(Ljava/nio/ByteOrder;)V -PLandroidx/exifinterface/media/ExifInterface$ByteOrderedDataInputStream;->skipFully(I)V -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->(IIJ[B)V -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->(II[B)V -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->createString(Ljava/lang/String;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->createULong(JLjava/nio/ByteOrder;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->createULong([JLjava/nio/ByteOrder;)Landroidx/exifinterface/media/ExifInterface$ExifAttribute; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->getIntValue(Ljava/nio/ByteOrder;)I -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->getStringValue(Ljava/nio/ByteOrder;)Ljava/lang/String; -PLandroidx/exifinterface/media/ExifInterface$ExifAttribute;->getValue(Ljava/nio/ByteOrder;)Ljava/lang/Object; -PLandroidx/exifinterface/media/ExifInterface$ExifTag;->(Ljava/lang/String;II)V -PLandroidx/exifinterface/media/ExifInterface$ExifTag;->(Ljava/lang/String;III)V Landroidx/fragment/app/FragmentActivity; HSPLandroidx/fragment/app/FragmentActivity;->()V HSPLandroidx/fragment/app/FragmentActivity;->dispatchFragmentsOnCreateView(Landroid/view/View;Ljava/lang/String;Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/view/View; @@ -11856,7 +12466,7 @@ Landroidx/lifecycle/DefaultLifecycleObserver; HSPLandroidx/lifecycle/DefaultLifecycleObserver;->onCreate(Landroidx/lifecycle/LifecycleOwner;)V PLandroidx/lifecycle/DefaultLifecycleObserver;->onDestroy(Landroidx/lifecycle/LifecycleOwner;)V PLandroidx/lifecycle/DefaultLifecycleObserver;->onPause(Landroidx/lifecycle/LifecycleOwner;)V -PLandroidx/lifecycle/DefaultLifecycleObserver;->onResume(Landroidx/lifecycle/LifecycleOwner;)V +HSPLandroidx/lifecycle/DefaultLifecycleObserver;->onResume(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/lifecycle/DefaultLifecycleObserver;->onStart(Landroidx/lifecycle/LifecycleOwner;)V PLandroidx/lifecycle/DefaultLifecycleObserver;->onStop(Landroidx/lifecycle/LifecycleOwner;)V Landroidx/lifecycle/DefaultLifecycleObserverAdapter; @@ -11915,7 +12525,7 @@ HPLandroidx/lifecycle/LifecycleRegistry;->backwardPass(Landroidx/lifecycle/Lifec HPLandroidx/lifecycle/LifecycleRegistry;->calculateTargetState(Landroidx/lifecycle/LifecycleObserver;)Landroidx/lifecycle/Lifecycle$State; HPLandroidx/lifecycle/LifecycleRegistry;->enforceMainThreadIfNeeded(Ljava/lang/String;)V HPLandroidx/lifecycle/LifecycleRegistry;->forwardPass(Landroidx/lifecycle/LifecycleOwner;)V -HSPLandroidx/lifecycle/LifecycleRegistry;->getCurrentState()Landroidx/lifecycle/Lifecycle$State; +HPLandroidx/lifecycle/LifecycleRegistry;->getCurrentState()Landroidx/lifecycle/Lifecycle$State; HPLandroidx/lifecycle/LifecycleRegistry;->handleLifecycleEvent(Landroidx/lifecycle/Lifecycle$Event;)V HPLandroidx/lifecycle/LifecycleRegistry;->isSynced()Z HPLandroidx/lifecycle/LifecycleRegistry;->moveToState(Landroidx/lifecycle/Lifecycle$State;)V @@ -12027,11 +12637,9 @@ Landroidx/lifecycle/SavedStateHandleSupport$SAVED_STATE_REGISTRY_OWNER_KEY$1; HSPLandroidx/lifecycle/SavedStateHandleSupport$SAVED_STATE_REGISTRY_OWNER_KEY$1;->()V Landroidx/lifecycle/SavedStateHandleSupport$VIEW_MODEL_STORE_OWNER_KEY$1; HSPLandroidx/lifecycle/SavedStateHandleSupport$VIEW_MODEL_STORE_OWNER_KEY$1;->()V -Landroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1; -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->()V -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->()V -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->invoke(Landroidx/lifecycle/viewmodel/CreationExtras;)Landroidx/lifecycle/SavedStateHandlesVM; -HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Landroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1; +HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1;->()V +HSPLandroidx/lifecycle/SavedStateHandleSupport$savedStateHandlesVM$1;->create(Ljava/lang/Class;Landroidx/lifecycle/viewmodel/CreationExtras;)Landroidx/lifecycle/ViewModel; Landroidx/lifecycle/SavedStateHandlesProvider; HSPLandroidx/lifecycle/SavedStateHandlesProvider;->(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/ViewModelStoreOwner;)V HSPLandroidx/lifecycle/SavedStateHandlesProvider;->getViewModel()Landroidx/lifecycle/SavedStateHandlesVM; @@ -12089,25 +12697,25 @@ HSPLandroidx/lifecycle/ViewTreeLifecycleOwner;->set(Landroid/view/View;Landroidx Landroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1; HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->()V -HPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2; HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->()V HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->()V -HPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/LifecycleOwner; -HPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/LifecycleOwner; +HSPLandroidx/lifecycle/ViewTreeLifecycleOwner$findViewTreeLifecycleOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner; HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->get(Landroid/view/View;)Landroidx/lifecycle/ViewModelStoreOwner; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->set(Landroid/view/View;Landroidx/lifecycle/ViewModelStoreOwner;)V Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V -HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V -HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/ViewModelStoreOwner; +HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Landroid/view/View;)Landroidx/lifecycle/ViewModelStoreOwner; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/runtime/R$id; Landroidx/lifecycle/viewmodel/CreationExtras; @@ -12117,23 +12725,12 @@ Landroidx/lifecycle/viewmodel/CreationExtras$Empty; HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V Landroidx/lifecycle/viewmodel/CreationExtras$Key; -Landroidx/lifecycle/viewmodel/InitializerViewModelFactory; -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactory;->([Landroidx/lifecycle/viewmodel/ViewModelInitializer;)V -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactory;->create(Ljava/lang/Class;Landroidx/lifecycle/viewmodel/CreationExtras;)Landroidx/lifecycle/ViewModel; -Landroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder; -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder;->()V -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder;->addInitializer(Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/lifecycle/viewmodel/InitializerViewModelFactoryBuilder;->build()Landroidx/lifecycle/ViewModelProvider$Factory; Landroidx/lifecycle/viewmodel/MutableCreationExtras; HSPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->()V HPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->(Landroidx/lifecycle/viewmodel/CreationExtras;)V HSPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->(Landroidx/lifecycle/viewmodel/CreationExtras;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/lifecycle/viewmodel/MutableCreationExtras;->set(Landroidx/lifecycle/viewmodel/CreationExtras$Key;Ljava/lang/Object;)V Landroidx/lifecycle/viewmodel/R$id; -Landroidx/lifecycle/viewmodel/ViewModelInitializer; -HSPLandroidx/lifecycle/viewmodel/ViewModelInitializer;->(Ljava/lang/Class;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/lifecycle/viewmodel/ViewModelInitializer;->getClazz$lifecycle_viewmodel_release()Ljava/lang/Class; -HSPLandroidx/lifecycle/viewmodel/ViewModelInitializer;->getInitializer$lifecycle_viewmodel_release()Lkotlin/jvm/functions/Function1; Landroidx/lifecycle/viewmodel/compose/LocalViewModelStoreOwner; HSPLandroidx/lifecycle/viewmodel/compose/LocalViewModelStoreOwner;->()V HSPLandroidx/lifecycle/viewmodel/compose/LocalViewModelStoreOwner;->()V @@ -12230,7 +12827,7 @@ HSPLandroidx/savedstate/SavedStateRegistry;->getSavedStateProvider(Ljava/lang/St HPLandroidx/savedstate/SavedStateRegistry;->performAttach$lambda$4(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V HSPLandroidx/savedstate/SavedStateRegistry;->performAttach$savedstate_release(Landroidx/lifecycle/Lifecycle;)V HSPLandroidx/savedstate/SavedStateRegistry;->performRestore$savedstate_release(Landroid/os/Bundle;)V -HPLandroidx/savedstate/SavedStateRegistry;->registerSavedStateProvider(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistry$SavedStateProvider;)V +HSPLandroidx/savedstate/SavedStateRegistry;->registerSavedStateProvider(Ljava/lang/String;Landroidx/savedstate/SavedStateRegistry$SavedStateProvider;)V PLandroidx/savedstate/SavedStateRegistry;->unregisterSavedStateProvider(Ljava/lang/String;)V Landroidx/savedstate/SavedStateRegistry$$ExternalSyntheticLambda0; HSPLandroidx/savedstate/SavedStateRegistry$$ExternalSyntheticLambda0;->(Landroidx/savedstate/SavedStateRegistry;)V @@ -12393,6 +12990,25 @@ HSPLandroidx/tracing/TraceApi18Impl;->beginSection(Ljava/lang/String;)V HSPLandroidx/tracing/TraceApi18Impl;->endSection()V Landroidx/tracing/TraceApi29Impl; HSPLandroidx/tracing/TraceApi29Impl;->isEnabled()Z +Landroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$1()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$2()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$3()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$4()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$5()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$6()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m$7()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m()I +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets$Builder; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/app/Activity;Landroid/app/Application$ActivityLifecycleCallbacks;)V +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/WindowInsetsAnimation$Callback;)V +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/Window;)Landroid/view/WindowInsetsController; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets$Builder;)Landroid/view/WindowInsets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Z +HSPLandroidx/transition/ImageViewUtils$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsetsController;II)V Landroidx/vectordrawable/graphics/drawable/VectorDrawableCommon; Landroidx/vectordrawable/graphics/drawable/VectorDrawableCompat; PLandroidx/window/core/Bounds;->(IIII)V @@ -12427,14 +13043,14 @@ PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->invoke(Ljava/lang/Str Lapp/cash/sqldelight/ColumnAdapter; Lapp/cash/sqldelight/EnumColumnAdapter; HSPLapp/cash/sqldelight/EnumColumnAdapter;->([Ljava/lang/Enum;)V -HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; +PLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/String;)Ljava/lang/Enum; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Enum;)Ljava/lang/String; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Object;)Ljava/lang/Object; Lapp/cash/sqldelight/ExecutableQuery; HSPLapp/cash/sqldelight/ExecutableQuery;->(Lkotlin/jvm/functions/Function1;)V HSPLapp/cash/sqldelight/ExecutableQuery;->executeAsOneOrNull()Ljava/lang/Object; -PLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; +HPLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; Lapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1; HSPLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->(Lapp/cash/sqldelight/ExecutableQuery;)V PLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Lapp/cash/sqldelight/db/QueryResult; @@ -12517,7 +13133,7 @@ PLapp/cash/sqldelight/db/SqlDriver$DefaultImpls;->execute$default(Lapp/cash/sqld Lapp/cash/sqldelight/db/SqlPreparedStatement; Lapp/cash/sqldelight/db/SqlSchema; PLapp/cash/sqldelight/driver/android/AndroidCursor;->(Landroid/database/Cursor;Ljava/lang/Long;)V -HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; +PLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getString(I)Ljava/lang/String; PLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; @@ -12530,6 +13146,7 @@ Lapp/cash/sqldelight/driver/android/AndroidQuery; PLapp/cash/sqldelight/driver/android/AndroidQuery;->(Ljava/lang/String;Landroidx/sqlite/db/SupportSQLiteDatabase;ILjava/lang/Long;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindString(ILjava/lang/String;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindTo(Landroidx/sqlite/db/SupportSQLiteProgram;)V +PLapp/cash/sqldelight/driver/android/AndroidQuery;->close()V HPLapp/cash/sqldelight/driver/android/AndroidQuery;->executeQuery(Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidQuery;->getArgCount()I PLapp/cash/sqldelight/driver/android/AndroidQuery;->getSql()Ljava/lang/String; @@ -12547,7 +13164,7 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getTransaction PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getWindowSizeBytes$p(Lapp/cash/sqldelight/driver/android/AndroidSqliteDriver;)Ljava/lang/Long; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->addListener([Ljava/lang/String;Lapp/cash/sqldelight/Query$Listener;)V PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->currentTransaction()Lapp/cash/sqldelight/Transacter$Transaction; -PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; +HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute-zeHU3Mk(Ljava/lang/Integer;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery-0yMERmw(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Ljava/lang/Object; @@ -12586,27 +13203,15 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRem PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZLjava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)V Lapp/cash/sqldelight/driver/android/AndroidStatement; PLapp/cash/sqldelight/internal/CurrentThreadIdKt;->currentThreadId()J -Lcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$1()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$2()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$3()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$4()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$5()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m$6()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()I -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets$Builder; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/view/WindowInsets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/app/Activity;Landroid/app/Application$ActivityLifecycleCallbacks;)V -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/WindowInsetsAnimation$Callback;)V -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/Window;)Landroid/view/WindowInsetsController; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets$Builder;)Landroid/view/WindowInsets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Landroid/graphics/Insets; -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsets;I)Z -HSPLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowInsetsController;II)V +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/util/CloseGuard; +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/util/CloseGuard;Ljava/lang/String;)V PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowManager;)Landroid/view/WindowMetrics; PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowMetrics;)Landroid/graphics/Rect; PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/WindowMetrics;)Landroid/view/WindowInsets; +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLParameters;[Ljava/lang/String;)V +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Ljava/lang/String; +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Z +PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;Z)V PLcoil3/BitmapImage;->(Landroid/graphics/Bitmap;Z)V PLcoil3/BitmapImage;->getBitmap()Landroid/graphics/Bitmap; PLcoil3/BitmapImage;->getHeight()I @@ -12615,6 +13220,10 @@ PLcoil3/BitmapImage;->getSize()J PLcoil3/BitmapImage;->getWidth()I PLcoil3/ComponentRegistry;->(Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;)V PLcoil3/ComponentRegistry;->(Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Ljava/util/List;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/ComponentRegistry;->access$getLazyDecoderFactories$p(Lcoil3/ComponentRegistry;)Ljava/util/List; +PLcoil3/ComponentRegistry;->access$getLazyFetcherFactories$p(Lcoil3/ComponentRegistry;)Ljava/util/List; +PLcoil3/ComponentRegistry;->access$setLazyDecoderFactories$p(Lcoil3/ComponentRegistry;Ljava/util/List;)V +PLcoil3/ComponentRegistry;->access$setLazyFetcherFactories$p(Lcoil3/ComponentRegistry;Ljava/util/List;)V PLcoil3/ComponentRegistry;->getDecoderFactories()Ljava/util/List; PLcoil3/ComponentRegistry;->getFetcherFactories()Ljava/util/List; PLcoil3/ComponentRegistry;->getInterceptors()Ljava/util/List; @@ -12631,7 +13240,24 @@ PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/fetch/Fetcher$Factory;Lkotlin/ref PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/intercept/Interceptor;)Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/key/Keyer;Lkotlin/reflect/KClass;)Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/map/Mapper;Lkotlin/reflect/KClass;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/ComponentRegistry$Builder;->addDecoderFactories(Lkotlin/jvm/functions/Function0;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/ComponentRegistry$Builder;->addFetcherFactories(Lkotlin/jvm/functions/Function0;)Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry$Builder;->build()Lcoil3/ComponentRegistry; +PLcoil3/ComponentRegistry$Builder$1$1;->(Lkotlin/Pair;)V +PLcoil3/ComponentRegistry$Builder$1$1;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$Builder$1$1;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$Builder$add$4$1;->(Lcoil3/fetch/Fetcher$Factory;Lkotlin/reflect/KClass;)V +PLcoil3/ComponentRegistry$Builder$add$4$1;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$Builder$add$4$1;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$Builder$add$5$1;->(Lcoil3/decode/Decoder$Factory;)V +PLcoil3/ComponentRegistry$Builder$add$5$1;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$Builder$add$5$1;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$decoderFactories$2;->(Lcoil3/ComponentRegistry;)V +PLcoil3/ComponentRegistry$decoderFactories$2;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$decoderFactories$2;->invoke()Ljava/util/List; +PLcoil3/ComponentRegistry$fetcherFactories$2;->(Lcoil3/ComponentRegistry;)V +PLcoil3/ComponentRegistry$fetcherFactories$2;->invoke()Ljava/lang/Object; +PLcoil3/ComponentRegistry$fetcherFactories$2;->invoke()Ljava/util/List; PLcoil3/EventListener;->()V PLcoil3/EventListener;->()V PLcoil3/EventListener;->decodeEnd(Lcoil3/request/ImageRequest;Lcoil3/decode/Decoder;Lcoil3/request/Options;Lcoil3/decode/DecodeResult;)V @@ -12657,7 +13283,7 @@ PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/Extras;->()V HPLcoil3/Extras;->(Ljava/util/Map;)V -PLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras;->access$getData$p(Lcoil3/Extras;)Ljava/util/Map; PLcoil3/Extras;->asMap()Ljava/util/Map; HPLcoil3/Extras;->get(Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -12670,7 +13296,7 @@ PLcoil3/Extras$Companion;->()V PLcoil3/Extras$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras$Key;->()V PLcoil3/Extras$Key;->(Ljava/lang/Object;)V -PLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; +HPLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; PLcoil3/Extras$Key$Companion;->()V PLcoil3/Extras$Key$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLcoil3/ExtrasKt;->getExtra(Lcoil3/request/ImageRequest;Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -12679,24 +13305,22 @@ PLcoil3/ExtrasKt;->getOrDefault(Lcoil3/Extras;Lcoil3/Extras$Key;)Ljava/lang/Obje PLcoil3/ExtrasKt;->orEmpty(Lcoil3/Extras;)Lcoil3/Extras; PLcoil3/ImageKt;->asCoilImage$default(Landroid/graphics/Bitmap;ZILjava/lang/Object;)Lcoil3/Image; PLcoil3/ImageKt;->asCoilImage(Landroid/graphics/Bitmap;Z)Lcoil3/Image; -PLcoil3/ImageKt;->asCoilImage(Landroid/graphics/drawable/Drawable;)Lcoil3/Image; PLcoil3/ImageLoader$Builder;->(Landroid/content/Context;)V PLcoil3/ImageLoader$Builder;->access$getApplication$p(Lcoil3/ImageLoader$Builder;)Landroid/content/Context; PLcoil3/ImageLoader$Builder;->build()Lcoil3/ImageLoader; PLcoil3/ImageLoader$Builder;->components(Lcoil3/ComponentRegistry;)Lcoil3/ImageLoader$Builder; +PLcoil3/ImageLoader$Builder;->diskCache(Lkotlin/jvm/functions/Function0;)Lcoil3/ImageLoader$Builder; +PLcoil3/ImageLoader$Builder;->logger(Lcoil3/util/Logger;)Lcoil3/ImageLoader$Builder; PLcoil3/ImageLoader$Builder$build$options$1;->(Lcoil3/ImageLoader$Builder;)V PLcoil3/ImageLoader$Builder$build$options$1;->invoke()Lcoil3/memory/MemoryCache; PLcoil3/ImageLoader$Builder$build$options$1;->invoke()Ljava/lang/Object; -PLcoil3/ImageLoader$Builder$build$options$2;->()V -PLcoil3/ImageLoader$Builder$build$options$2;->()V -PLcoil3/ImageLoader$Builder$build$options$2;->invoke()Lcoil3/disk/DiskCache; -PLcoil3/ImageLoader$Builder$build$options$2;->invoke()Ljava/lang/Object; PLcoil3/ImageLoadersKt;->()V PLcoil3/ImageLoadersKt;->getBitmapFactoryExifOrientationPolicy(Lcoil3/RealImageLoader$Options;)Lcoil3/decode/ExifOrientationPolicy; PLcoil3/ImageLoadersKt;->getBitmapFactoryMaxParallelism(Lcoil3/RealImageLoader$Options;)I PLcoil3/ImageLoaders_commonKt;->()V PLcoil3/ImageLoaders_commonKt;->getAddLastModifiedToFileCacheKey(Lcoil3/RealImageLoader$Options;)Z PLcoil3/ImageLoaders_commonKt;->getNetworkObserverEnabled(Lcoil3/RealImageLoader$Options;)Z +PLcoil3/ImageLoaders_commonKt;->getServiceLoaderEnabled(Lcoil3/RealImageLoader$Options;)Z PLcoil3/RealImageLoader;->()V PLcoil3/RealImageLoader;->(Lcoil3/RealImageLoader$Options;)V PLcoil3/RealImageLoader;->access$executeMain(Lcoil3/RealImageLoader;Lcoil3/request/ImageRequest;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -12733,12 +13357,26 @@ PLcoil3/RealImageLoader$executeMain$result$1;->invoke(Ljava/lang/Object;Ljava/la HPLcoil3/RealImageLoader$executeMain$result$1;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/RealImageLoader$executeMain$result$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/RealImageLoaderKt;->addAndroidComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/RealImageLoaderKt;->enableStaticImageDecoder(Lcoil3/RealImageLoader$Options;)Z HPLcoil3/RealImageLoaderKt;->getDisposable(Lcoil3/request/ImageRequest;Lkotlinx/coroutines/Deferred;)Lcoil3/request/Disposable; PLcoil3/RealImageLoader_commonKt;->CoroutineScope(Lcoil3/util/Logger;)Lkotlinx/coroutines/CoroutineScope; PLcoil3/RealImageLoader_commonKt;->access$CoroutineScope(Lcoil3/util/Logger;)Lkotlinx/coroutines/CoroutineScope; PLcoil3/RealImageLoader_commonKt;->addCommonComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/RealImageLoader_commonKt;->addServiceLoaderComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; PLcoil3/RealImageLoader_commonKt$CoroutineScope$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;Lcoil3/util/Logger;)V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->invoke()Ljava/lang/Object; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1;->invoke()Ljava/util/List; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1$invoke$$inlined$sortedByDescending$1;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$1$invoke$$inlined$sortedByDescending$1;->compare(Ljava/lang/Object;Ljava/lang/Object;)I +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->()V +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->invoke()Ljava/lang/Object; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2;->invoke()Ljava/util/List; +PLcoil3/RealImageLoader_commonKt$addServiceLoaderComponents$2$invoke$$inlined$sortedByDescending$1;->()V PLcoil3/RealImageLoader_jvmKt;->addJvmComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; +PLcoil3/RealImageLoader_nonNativeKt;->addAppleComponents(Lcoil3/ComponentRegistry$Builder;Lcoil3/RealImageLoader$Options;)Lcoil3/ComponentRegistry$Builder; PLcoil3/SingletonImageLoader;->()V PLcoil3/SingletonImageLoader;->()V HPLcoil3/SingletonImageLoader;->get(Landroid/content/Context;)Lcoil3/ImageLoader; @@ -12754,21 +13392,23 @@ PLcoil3/SingletonImageLoaderKt;->applicationImageLoaderFactory(Landroid/content/ HPLcoil3/Uri;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V PLcoil3/Uri;->getScheme()Ljava/lang/String; PLcoil3/Uri;->toString()Ljava/lang/String; +PLcoil3/Uri_commonKt;->getLength(Ljava/lang/String;)I HPLcoil3/Uri_commonKt;->parseUri(Ljava/lang/String;)Lcoil3/Uri; +HPLcoil3/Uri_commonKt;->percentDecode(Ljava/lang/String;[B)Ljava/lang/String; PLcoil3/Uri_commonKt;->toUri(Ljava/lang/String;)Lcoil3/Uri; -HPLcoil3/compose/AsyncImageKt;->AsyncImage-YIYSHzI(Lcoil3/compose/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ILandroidx/compose/runtime/Composer;I)V -HPLcoil3/compose/AsyncImageKt;->AsyncImage-sKDTAoQ(Ljava/lang/Object;Ljava/lang/String;Lcoil3/ImageLoader;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ILcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;III)V -HPLcoil3/compose/AsyncImageKt;->Content(Landroidx/compose/ui/Modifier;Lcoil3/compose/AsyncImagePainter;Ljava/lang/String;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;Landroidx/compose/runtime/Composer;I)V -HPLcoil3/compose/AsyncImageKt$AsyncImage$1;->(Lcoil3/compose/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;II)V +HPLcoil3/compose/AsyncImageKt;->AsyncImage-76YX9Dk(Lcoil3/compose/internal/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;IZLandroidx/compose/runtime/Composer;II)V +HPLcoil3/compose/AsyncImageKt;->AsyncImage-QgsmV_s(Ljava/lang/Object;Ljava/lang/String;Lcoil3/ImageLoader;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;IZLcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;III)V +HPLcoil3/compose/AsyncImageKt;->Content(Landroidx/compose/ui/Modifier;Lcoil3/compose/AsyncImagePainter;Ljava/lang/String;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;ZLandroidx/compose/runtime/Composer;I)V +HPLcoil3/compose/AsyncImageKt$AsyncImage$1;->(Lcoil3/compose/internal/AsyncImageState;Ljava/lang/String;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;IZII)V PLcoil3/compose/AsyncImageKt$Content$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V PLcoil3/compose/AsyncImageKt$Content$$inlined$Layout$1;->invoke()Ljava/lang/Object; -PLcoil3/compose/AsyncImageKt$Content$1;->()V -PLcoil3/compose/AsyncImageKt$Content$1;->()V -HPLcoil3/compose/AsyncImageKt$Content$1;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; -PLcoil3/compose/AsyncImageKt$Content$1$1;->()V -PLcoil3/compose/AsyncImageKt$Content$1$1;->()V -PLcoil3/compose/AsyncImageKt$Content$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/AsyncImageKt$Content$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/AsyncImageKt$Content$2;->()V +PLcoil3/compose/AsyncImageKt$Content$2;->()V +HPLcoil3/compose/AsyncImageKt$Content$2;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +PLcoil3/compose/AsyncImageKt$Content$2$1;->()V +PLcoil3/compose/AsyncImageKt$Content$2$1;->()V +PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/AsyncImagePainter;->()V HPLcoil3/compose/AsyncImagePainter;->(Lcoil3/request/ImageRequest;Lcoil3/ImageLoader;)V PLcoil3/compose/AsyncImagePainter;->access$getDefaultTransform$cp()Lkotlin/jvm/functions/Function1; @@ -12789,13 +13429,13 @@ PLcoil3/compose/AsyncImagePainter;->setContentScale$coil_compose_core_release(La PLcoil3/compose/AsyncImagePainter;->setFilterQuality-vDHp3xo$coil_compose_core_release(I)V PLcoil3/compose/AsyncImagePainter;->setImageLoader$coil_compose_core_release(Lcoil3/ImageLoader;)V PLcoil3/compose/AsyncImagePainter;->setOnState$coil_compose_core_release(Lkotlin/jvm/functions/Function1;)V -PLcoil3/compose/AsyncImagePainter;->setPainter(Landroidx/compose/ui/graphics/painter/Painter;)V +HPLcoil3/compose/AsyncImagePainter;->setPainter(Landroidx/compose/ui/graphics/painter/Painter;)V PLcoil3/compose/AsyncImagePainter;->setPreview$coil_compose_core_release(Z)V PLcoil3/compose/AsyncImagePainter;->setRequest$coil_compose_core_release(Lcoil3/request/ImageRequest;)V -PLcoil3/compose/AsyncImagePainter;->setState(Lcoil3/compose/AsyncImagePainter$State;)V +HPLcoil3/compose/AsyncImagePainter;->setState(Lcoil3/compose/AsyncImagePainter$State;)V PLcoil3/compose/AsyncImagePainter;->setTransform$coil_compose_core_release(Lkotlin/jvm/functions/Function1;)V -PLcoil3/compose/AsyncImagePainter;->set_painter(Landroidx/compose/ui/graphics/painter/Painter;)V -PLcoil3/compose/AsyncImagePainter;->set_state(Lcoil3/compose/AsyncImagePainter$State;)V +HPLcoil3/compose/AsyncImagePainter;->set_painter(Landroidx/compose/ui/graphics/painter/Painter;)V +HPLcoil3/compose/AsyncImagePainter;->set_state(Lcoil3/compose/AsyncImagePainter$State;)V HPLcoil3/compose/AsyncImagePainter;->toState(Lcoil3/request/ImageResult;)Lcoil3/compose/AsyncImagePainter$State; HPLcoil3/compose/AsyncImagePainter;->updateRequest(Lcoil3/request/ImageRequest;)Lcoil3/request/ImageRequest; HPLcoil3/compose/AsyncImagePainter;->updateState(Lcoil3/compose/AsyncImagePainter$State;)V @@ -12805,7 +13445,7 @@ PLcoil3/compose/AsyncImagePainter$Companion;->getDefaultTransform()Lkotlin/jvm/f PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->()V PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->()V PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->invoke(Lcoil3/compose/AsyncImagePainter$State;)Lcoil3/compose/AsyncImagePainter$State; -PLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/AsyncImagePainter$Companion$DefaultTransform$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/AsyncImagePainter$State$Empty;->()V PLcoil3/compose/AsyncImagePainter$State$Empty;->()V PLcoil3/compose/AsyncImagePainter$State$Empty;->equals(Ljava/lang/Object;)Z @@ -12818,7 +13458,7 @@ PLcoil3/compose/AsyncImagePainter$State$Success;->()V PLcoil3/compose/AsyncImagePainter$State$Success;->(Landroidx/compose/ui/graphics/painter/Painter;Lcoil3/request/SuccessResult;)V PLcoil3/compose/AsyncImagePainter$State$Success;->getPainter()Landroidx/compose/ui/graphics/painter/Painter; PLcoil3/compose/AsyncImagePainter$State$Success;->getResult()Lcoil3/request/SuccessResult; -PLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V +HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V PLcoil3/compose/AsyncImagePainter$onRemembered$1;->access$invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/compose/AsyncImagePainter$onRemembered$1;->invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -12837,83 +13477,65 @@ PLcoil3/compose/AsyncImagePainter$onRemembered$1$3;->emit(Ljava/lang/Object;Lkot PLcoil3/compose/AsyncImagePainter$updateRequest$$inlined$target$default$1;->(Lcoil3/request/ImageRequest;Lcoil3/compose/AsyncImagePainter;)V HPLcoil3/compose/AsyncImagePainter$updateRequest$$inlined$target$default$1;->onStart(Lcoil3/Image;)V PLcoil3/compose/AsyncImagePainter$updateRequest$$inlined$target$default$1;->onSuccess(Lcoil3/Image;)V -PLcoil3/compose/AsyncImagePainterKt;->()V -HPLcoil3/compose/AsyncImagePainterKt;->maybeNewCrossfadePainter(Lcoil3/compose/AsyncImagePainter$State;Lcoil3/compose/AsyncImagePainter$State;Landroidx/compose/ui/layout/ContentScale;)Lcoil3/compose/CrossfadePainter; -HPLcoil3/compose/AsyncImagePainterKt;->toPainter-55t9-rM(Lcoil3/Image;Landroid/content/Context;I)Landroidx/compose/ui/graphics/painter/Painter; -PLcoil3/compose/AsyncImagePainterKt$fakeTransitionTarget$1;->()V -HPLcoil3/compose/AsyncImagePainter_commonKt;->rememberAsyncImagePainter-0YpotYA(Ljava/lang/Object;Lcoil3/ImageLoader;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;II)Lcoil3/compose/AsyncImagePainter; -HPLcoil3/compose/AsyncImagePainter_commonKt;->rememberAsyncImagePainter-GSdzBsE(Lcoil3/compose/AsyncImageState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILandroidx/compose/runtime/Composer;I)Lcoil3/compose/AsyncImagePainter; -HPLcoil3/compose/AsyncImagePainter_commonKt;->validateRequest(Lcoil3/request/ImageRequest;)V -PLcoil3/compose/AsyncImageState;->()V -HPLcoil3/compose/AsyncImageState;->(Ljava/lang/Object;Lcoil3/compose/EqualityDelegate;Lcoil3/ImageLoader;)V -PLcoil3/compose/AsyncImageState;->getImageLoader()Lcoil3/ImageLoader; -PLcoil3/compose/AsyncImageState;->getModel()Ljava/lang/Object; -PLcoil3/compose/AsyncImageState;->getModelEqualityDelegate()Lcoil3/compose/EqualityDelegate; -PLcoil3/compose/ConstraintsSizeResolver;->()V -HPLcoil3/compose/ConstraintsSizeResolver;->()V -HPLcoil3/compose/ConstraintsSizeResolver;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -HPLcoil3/compose/ConstraintsSizeResolver;->size(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/compose/ConstraintsSizeResolver$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -PLcoil3/compose/ConstraintsSizeResolver$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->(Lkotlinx/coroutines/flow/Flow;)V -HPLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V -HPLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2$1;->(Lcoil3/compose/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;Lkotlin/coroutines/Continuation;)V -PLcoil3/compose/ContentPainterModifier;->()V -HPLcoil3/compose/ContentPainterModifier;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V -HPLcoil3/compose/ContentPainterModifier;->calculateScaledSize-E7KxVPU(J)J -HPLcoil3/compose/ContentPainterModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HPLcoil3/compose/ContentPainterModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -HPLcoil3/compose/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J -PLcoil3/compose/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -PLcoil3/compose/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/compose/CrossfadePainter;->()V -PLcoil3/compose/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V -HPLcoil3/compose/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J -HPLcoil3/compose/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J -HPLcoil3/compose/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V -HPLcoil3/compose/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; -PLcoil3/compose/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J -PLcoil3/compose/CrossfadePainter;->getInvalidateTick()I -HPLcoil3/compose/CrossfadePainter;->getMaxAlpha()F -HPLcoil3/compose/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -PLcoil3/compose/CrossfadePainter;->setInvalidateTick(I)V +HPLcoil3/compose/AsyncImagePainterKt;->rememberAsyncImagePainter-0YpotYA(Ljava/lang/Object;Lcoil3/ImageLoader;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILcoil3/compose/EqualityDelegate;Landroidx/compose/runtime/Composer;II)Lcoil3/compose/AsyncImagePainter; +HPLcoil3/compose/AsyncImagePainterKt;->rememberAsyncImagePainter-GSdzBsE(Lcoil3/compose/internal/AsyncImageState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Landroidx/compose/ui/layout/ContentScale;ILandroidx/compose/runtime/Composer;I)Lcoil3/compose/AsyncImagePainter; +HPLcoil3/compose/AsyncImagePainterKt;->validateRequest(Lcoil3/request/ImageRequest;)V +PLcoil3/compose/AsyncImagePainter_androidKt;->()V +HPLcoil3/compose/AsyncImagePainter_androidKt;->maybeNewCrossfadePainter(Lcoil3/compose/AsyncImagePainter$State;Lcoil3/compose/AsyncImagePainter$State;Landroidx/compose/ui/layout/ContentScale;)Lcoil3/compose/internal/CrossfadePainter; +HPLcoil3/compose/AsyncImagePainter_androidKt;->toPainter-55t9-rM(Lcoil3/Image;Landroid/content/Context;I)Landroidx/compose/ui/graphics/painter/Painter; +PLcoil3/compose/AsyncImagePainter_androidKt$fakeTransitionTarget$1;->()V PLcoil3/compose/EqualityDelegateKt;->()V PLcoil3/compose/EqualityDelegateKt;->getDefaultModelEqualityDelegate()Lcoil3/compose/EqualityDelegate; PLcoil3/compose/EqualityDelegateKt$DefaultModelEqualityDelegate$1;->()V -PLcoil3/compose/UtilsKt;->()V -HPLcoil3/compose/UtilsKt;->constrainHeight-K40F9xA(JF)F -HPLcoil3/compose/UtilsKt;->constrainWidth-K40F9xA(JF)F -HPLcoil3/compose/UtilsKt;->contentDescription(Landroidx/compose/ui/Modifier;Ljava/lang/String;)Landroidx/compose/ui/Modifier; -PLcoil3/compose/UtilsKt;->getZeroConstraints()J -HPLcoil3/compose/UtilsKt;->requestOf(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; -HPLcoil3/compose/UtilsKt;->requestOfWithSizeResolver(Ljava/lang/Object;Landroidx/compose/ui/layout/ContentScale;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; -HPLcoil3/compose/UtilsKt;->toIntSize-uvyYCjk(J)J -HPLcoil3/compose/UtilsKt;->toScale(Landroidx/compose/ui/layout/ContentScale;)Lcoil3/size/Scale; -HPLcoil3/compose/UtilsKt;->toSizeOrNull-BRTryo0(J)Lcoil3/size/Size; -PLcoil3/compose/UtilsKt$contentDescription$1;->(Ljava/lang/String;)V -PLcoil3/decode/BitmapFactoryDecoder;->()V -PLcoil3/decode/BitmapFactoryDecoder;->(Lcoil3/decode/ImageSource;Lcoil3/request/Options;Lkotlinx/coroutines/sync/Semaphore;Lcoil3/decode/ExifOrientationPolicy;)V -PLcoil3/decode/BitmapFactoryDecoder;->access$decode(Lcoil3/decode/BitmapFactoryDecoder;Landroid/graphics/BitmapFactory$Options;)Lcoil3/decode/DecodeResult; -PLcoil3/decode/BitmapFactoryDecoder;->configureConfig(Landroid/graphics/BitmapFactory$Options;Lcoil3/decode/ExifData;)V -PLcoil3/decode/BitmapFactoryDecoder;->configureScale(Landroid/graphics/BitmapFactory$Options;Lcoil3/decode/ExifData;)V -PLcoil3/decode/BitmapFactoryDecoder;->decode(Landroid/graphics/BitmapFactory$Options;)Lcoil3/decode/DecodeResult; -PLcoil3/decode/BitmapFactoryDecoder;->decode(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/decode/BitmapFactoryDecoder$Companion;->()V -PLcoil3/decode/BitmapFactoryDecoder$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/decode/BitmapFactoryDecoder$ExceptionCatchingSource;->(Lokio/Source;)V -PLcoil3/decode/BitmapFactoryDecoder$ExceptionCatchingSource;->getException()Ljava/lang/Exception; -PLcoil3/decode/BitmapFactoryDecoder$ExceptionCatchingSource;->read(Lokio/Buffer;J)J -PLcoil3/decode/BitmapFactoryDecoder$Factory;->(ILcoil3/decode/ExifOrientationPolicy;)V -PLcoil3/decode/BitmapFactoryDecoder$Factory;->create(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/decode/Decoder; -PLcoil3/decode/BitmapFactoryDecoder$decode$1;->(Lcoil3/decode/BitmapFactoryDecoder;Lkotlin/coroutines/Continuation;)V -PLcoil3/decode/BitmapFactoryDecoder$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/decode/BitmapFactoryDecoder$decode$2$1;->(Lcoil3/decode/BitmapFactoryDecoder;)V -PLcoil3/decode/BitmapFactoryDecoder$decode$2$1;->invoke()Lcoil3/decode/DecodeResult; -PLcoil3/decode/BitmapFactoryDecoder$decode$2$1;->invoke()Ljava/lang/Object; +PLcoil3/compose/internal/AsyncImageState;->()V +HPLcoil3/compose/internal/AsyncImageState;->(Ljava/lang/Object;Lcoil3/compose/EqualityDelegate;Lcoil3/ImageLoader;)V +PLcoil3/compose/internal/AsyncImageState;->getImageLoader()Lcoil3/ImageLoader; +PLcoil3/compose/internal/AsyncImageState;->getModel()Ljava/lang/Object; +PLcoil3/compose/internal/AsyncImageState;->getModelEqualityDelegate()Lcoil3/compose/EqualityDelegate; +PLcoil3/compose/internal/ConstraintsSizeResolver;->()V +HPLcoil3/compose/internal/ConstraintsSizeResolver;->()V +HPLcoil3/compose/internal/ConstraintsSizeResolver;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLcoil3/compose/internal/ConstraintsSizeResolver;->size(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->(Lkotlinx/coroutines/flow/Flow;)V +HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V +HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2$1;->(Lcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;Lkotlin/coroutines/Continuation;)V +PLcoil3/compose/internal/ContentPainterModifier;->()V +HPLcoil3/compose/internal/ContentPainterModifier;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HPLcoil3/compose/internal/ContentPainterModifier;->calculateScaledSize-E7KxVPU(J)J +HPLcoil3/compose/internal/ContentPainterModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLcoil3/compose/internal/ContentPainterModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLcoil3/compose/internal/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J +PLcoil3/compose/internal/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/internal/CrossfadePainter;->()V +PLcoil3/compose/internal/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V +HPLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J +HPLcoil3/compose/internal/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J +HPLcoil3/compose/internal/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V +HPLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; +PLcoil3/compose/internal/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J +HPLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I +HPLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F +HPLcoil3/compose/internal/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V +PLcoil3/compose/internal/CrossfadePainter;->setInvalidateTick(I)V +PLcoil3/compose/internal/UtilsKt;->()V +HPLcoil3/compose/internal/UtilsKt;->constrainHeight-K40F9xA(JF)F +HPLcoil3/compose/internal/UtilsKt;->constrainWidth-K40F9xA(JF)F +HPLcoil3/compose/internal/UtilsKt;->contentDescription(Landroidx/compose/ui/Modifier;Ljava/lang/String;)Landroidx/compose/ui/Modifier; +PLcoil3/compose/internal/UtilsKt;->getZeroConstraints()J +HPLcoil3/compose/internal/UtilsKt;->requestOf(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; +HPLcoil3/compose/internal/UtilsKt;->requestOfWithSizeResolver(Ljava/lang/Object;Landroidx/compose/ui/layout/ContentScale;Landroidx/compose/runtime/Composer;I)Lcoil3/request/ImageRequest; +HPLcoil3/compose/internal/UtilsKt;->toIntSize-uvyYCjk(J)J +HPLcoil3/compose/internal/UtilsKt;->toScale(Landroidx/compose/ui/layout/ContentScale;)Lcoil3/size/Scale; +HPLcoil3/compose/internal/UtilsKt;->toSizeOrNull-BRTryo0(J)Lcoil3/size/Size; +PLcoil3/compose/internal/UtilsKt$contentDescription$1;->(Ljava/lang/String;)V +PLcoil3/decode/BitmapFactoryDecoder$Factory;->(Lkotlinx/coroutines/sync/Semaphore;Lcoil3/decode/ExifOrientationPolicy;)V PLcoil3/decode/DataSource;->$values()[Lcoil3/decode/DataSource; PLcoil3/decode/DataSource;->()V PLcoil3/decode/DataSource;->(Ljava/lang/String;I)V @@ -12923,44 +13545,38 @@ PLcoil3/decode/DecodeResult;->getImage()Lcoil3/Image; PLcoil3/decode/DecodeResult;->isSampled()Z PLcoil3/decode/DecodeUtils;->()V PLcoil3/decode/DecodeUtils;->()V -PLcoil3/decode/DecodeUtils;->calculateInSampleSize(IIIILcoil3/size/Scale;)I -PLcoil3/decode/DecodeUtils;->computeSizeMultiplier(DDDDLcoil3/size/Scale;)D PLcoil3/decode/DecodeUtils;->computeSizeMultiplier(IIIILcoil3/size/Scale;)D PLcoil3/decode/DecodeUtils$WhenMappings;->()V -PLcoil3/decode/ExifData;->()V -PLcoil3/decode/ExifData;->(ZI)V -PLcoil3/decode/ExifData;->getRotationDegrees()I -PLcoil3/decode/ExifData;->isFlipped()Z -PLcoil3/decode/ExifData$Companion;->()V -PLcoil3/decode/ExifData$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/decode/ExifInterfaceInputStream;->(Ljava/io/InputStream;)V -PLcoil3/decode/ExifInterfaceInputStream;->interceptBytesRead(I)I -PLcoil3/decode/ExifInterfaceInputStream;->read([BII)I PLcoil3/decode/ExifOrientationPolicy;->$values()[Lcoil3/decode/ExifOrientationPolicy; PLcoil3/decode/ExifOrientationPolicy;->()V PLcoil3/decode/ExifOrientationPolicy;->(Ljava/lang/String;I)V -PLcoil3/decode/ExifOrientationPolicy;->values()[Lcoil3/decode/ExifOrientationPolicy; -PLcoil3/decode/ExifUtils;->()V -PLcoil3/decode/ExifUtils;->()V -PLcoil3/decode/ExifUtils;->getExifData(Ljava/lang/String;Lokio/BufferedSource;Lcoil3/decode/ExifOrientationPolicy;)Lcoil3/decode/ExifData; -PLcoil3/decode/ExifUtils;->reverseTransformations(Landroid/graphics/Bitmap;Lcoil3/decode/ExifData;)Landroid/graphics/Bitmap; -PLcoil3/decode/ExifUtilsKt;->()V -PLcoil3/decode/ExifUtilsKt;->isRotated(Lcoil3/decode/ExifData;)Z -PLcoil3/decode/ExifUtilsKt;->isSwapped(Lcoil3/decode/ExifData;)Z -PLcoil3/decode/ExifUtilsKt;->supports(Lcoil3/decode/ExifOrientationPolicy;Ljava/lang/String;)Z -PLcoil3/decode/ExifUtilsKt$WhenMappings;->()V PLcoil3/decode/FileImageSource;->(Lokio/Path;Lokio/FileSystem;Ljava/lang/String;Ljava/io/Closeable;Lcoil3/decode/ImageSource$Metadata;)V PLcoil3/decode/FileImageSource;->assertNotClosed()V PLcoil3/decode/FileImageSource;->close()V +PLcoil3/decode/FileImageSource;->file()Lokio/Path; +PLcoil3/decode/FileImageSource;->fileOrNull()Lokio/Path; PLcoil3/decode/FileImageSource;->getDiskCacheKey$coil_core_release()Ljava/lang/String; PLcoil3/decode/FileImageSource;->getFileSystem()Lokio/FileSystem; -PLcoil3/decode/FileImageSource;->getMetadata()Lcoil3/decode/ImageSource$Metadata; -PLcoil3/decode/FileImageSource;->source()Lokio/BufferedSource; PLcoil3/decode/ImageSourceKt;->ImageSource$default(Lokio/Path;Lokio/FileSystem;Ljava/lang/String;Ljava/io/Closeable;Lcoil3/decode/ImageSource$Metadata;ILjava/lang/Object;)Lcoil3/decode/ImageSource; PLcoil3/decode/ImageSourceKt;->ImageSource(Lokio/Path;Lokio/FileSystem;Ljava/lang/String;Ljava/io/Closeable;Lcoil3/decode/ImageSource$Metadata;)Lcoil3/decode/ImageSource; +PLcoil3/decode/StaticImageDecoder;->(Landroid/graphics/ImageDecoder$Source;Ljava/io/Closeable;Lcoil3/request/Options;Lkotlinx/coroutines/sync/Semaphore;)V +PLcoil3/decode/StaticImageDecoder;->access$configureImageDecoderProperties(Lcoil3/decode/StaticImageDecoder;Landroid/graphics/ImageDecoder;)V +PLcoil3/decode/StaticImageDecoder;->access$getOptions$p(Lcoil3/decode/StaticImageDecoder;)Lcoil3/request/Options; +PLcoil3/decode/StaticImageDecoder;->configureImageDecoderProperties(Landroid/graphics/ImageDecoder;)V +HPLcoil3/decode/StaticImageDecoder;->decode(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/decode/StaticImageDecoder$Factory;->(Lkotlinx/coroutines/sync/Semaphore;)V +PLcoil3/decode/StaticImageDecoder$Factory;->create(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/decode/Decoder; +PLcoil3/decode/StaticImageDecoder$decode$1;->(Lcoil3/decode/StaticImageDecoder;Lkotlin/coroutines/Continuation;)V +PLcoil3/decode/StaticImageDecoder$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/decode/StaticImageDecoder;Lkotlin/jvm/internal/Ref$BooleanRef;)V +HPLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->onHeaderDecoded(Landroid/graphics/ImageDecoder;Landroid/graphics/ImageDecoder$ImageInfo;Landroid/graphics/ImageDecoder$Source;)V +PLcoil3/decode/StaticImageDecoderKt;->access$imageDecoderSourceOrNull(Lcoil3/decode/ImageSource;Lcoil3/request/Options;)Landroid/graphics/ImageDecoder$Source; +PLcoil3/decode/StaticImageDecoderKt;->imageDecoderSourceOrNull(Lcoil3/decode/ImageSource;Lcoil3/request/Options;)Landroid/graphics/ImageDecoder$Source; PLcoil3/disk/DiskCache$Builder;->()V PLcoil3/disk/DiskCache$Builder;->build()Lcoil3/disk/DiskCache; PLcoil3/disk/DiskCache$Builder;->directory(Lokio/Path;)Lcoil3/disk/DiskCache$Builder; +PLcoil3/disk/DiskCache$Builder;->fileSystem(Lokio/FileSystem;)Lcoil3/disk/DiskCache$Builder; +PLcoil3/disk/DiskCache$Builder;->maxSizeBytes(J)Lcoil3/disk/DiskCache$Builder; PLcoil3/disk/DiskLruCache;->()V PLcoil3/disk/DiskLruCache;->(Lokio/FileSystem;Lokio/Path;Lkotlinx/coroutines/CoroutineDispatcher;JII)V PLcoil3/disk/DiskLruCache;->access$completeEdit(Lcoil3/disk/DiskLruCache;Lcoil3/disk/DiskLruCache$Editor;Z)V @@ -12986,7 +13602,7 @@ PLcoil3/disk/DiskLruCache$Editor;->complete(Z)V PLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; PLcoil3/disk/DiskLruCache$Editor;->getEntry()Lcoil3/disk/DiskLruCache$Entry; PLcoil3/disk/DiskLruCache$Editor;->getWritten()[Z -PLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V +HPLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V PLcoil3/disk/DiskLruCache$Entry;->getCleanFiles()Ljava/util/ArrayList; PLcoil3/disk/DiskLruCache$Entry;->getCurrentEditor()Lcoil3/disk/DiskLruCache$Editor; PLcoil3/disk/DiskLruCache$Entry;->getDirtyFiles()Ljava/util/ArrayList; @@ -13027,13 +13643,6 @@ PLcoil3/disk/RealDiskCache$RealSnapshot;->(Lcoil3/disk/DiskLruCache$Snapsh PLcoil3/disk/RealDiskCache$RealSnapshot;->close()V PLcoil3/disk/RealDiskCache$RealSnapshot;->getData()Lokio/Path; PLcoil3/disk/RealDiskCache$RealSnapshot;->getMetadata()Lokio/Path; -PLcoil3/disk/UtilsKt;->()V -PLcoil3/disk/UtilsKt;->getInstance()Lcoil3/disk/DiskCache; -PLcoil3/disk/UtilsKt;->singletonDiskCache()Lcoil3/disk/DiskCache; -PLcoil3/disk/UtilsKt$instance$2;->()V -PLcoil3/disk/UtilsKt$instance$2;->()V -PLcoil3/disk/UtilsKt$instance$2;->invoke()Lcoil3/disk/DiskCache; -PLcoil3/disk/UtilsKt$instance$2;->invoke()Ljava/lang/Object; PLcoil3/fetch/AssetUriFetcher$Factory;->()V PLcoil3/fetch/BitmapFetcher$Factory;->()V PLcoil3/fetch/ByteArrayFetcher$Factory;->()V @@ -13041,45 +13650,6 @@ PLcoil3/fetch/ByteBufferFetcher$Factory;->()V PLcoil3/fetch/ContentUriFetcher$Factory;->()V PLcoil3/fetch/DrawableFetcher$Factory;->()V PLcoil3/fetch/FileUriFetcher$Factory;->()V -PLcoil3/fetch/NetworkFetcher;->(Ljava/lang/String;Lcoil3/request/Options;Lkotlin/Lazy;Lkotlin/Lazy;Lkotlin/Lazy;)V -PLcoil3/fetch/NetworkFetcher;->access$getUrl$p(Lcoil3/fetch/NetworkFetcher;)Ljava/lang/String; -PLcoil3/fetch/NetworkFetcher;->access$toCacheResponse(Lcoil3/fetch/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; -PLcoil3/fetch/NetworkFetcher;->access$toImageSource(Lcoil3/fetch/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; -PLcoil3/fetch/NetworkFetcher;->access$writeToDiskCache(Lcoil3/fetch/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lio/ktor/client/statement/HttpResponse;Lio/ktor/utils/io/ByteReadChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher;->executeNetworkRequest(Lio/ktor/client/request/HttpRequestBuilder;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLcoil3/fetch/NetworkFetcher;->fetch(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher;->getDiskCacheKey()Ljava/lang/String; -PLcoil3/fetch/NetworkFetcher;->getFileSystem()Lokio/FileSystem; -PLcoil3/fetch/NetworkFetcher;->getMimeType$coil_network_release(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; -PLcoil3/fetch/NetworkFetcher;->newRequest()Lio/ktor/client/request/HttpRequestBuilder; -PLcoil3/fetch/NetworkFetcher;->readFromDiskCache()Lcoil3/disk/DiskCache$Snapshot; -PLcoil3/fetch/NetworkFetcher;->toCacheResponse(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; -PLcoil3/fetch/NetworkFetcher;->toImageSource(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; -PLcoil3/fetch/NetworkFetcher;->writeToDiskCache(Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lio/ktor/client/statement/HttpResponse;Lio/ktor/utils/io/ByteReadChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$Factory;->(Lkotlin/Lazy;Lkotlin/Lazy;)V -PLcoil3/fetch/NetworkFetcher$Factory;->(Lkotlin/Lazy;Lkotlin/Lazy;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/fetch/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; -PLcoil3/fetch/NetworkFetcher$Factory;->create(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; -PLcoil3/fetch/NetworkFetcher$Factory;->isApplicable(Lcoil3/Uri;)Z -PLcoil3/fetch/NetworkFetcher$Factory$2;->()V -PLcoil3/fetch/NetworkFetcher$Factory$2;->()V -PLcoil3/fetch/NetworkFetcher$Factory$create$1;->(Lcoil3/ImageLoader;)V -PLcoil3/fetch/NetworkFetcher$Factory$create$1;->invoke()Lcoil3/disk/DiskCache; -PLcoil3/fetch/NetworkFetcher$Factory$create$1;->invoke()Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$executeNetworkRequest$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$1;->(Lcoil3/fetch/NetworkFetcher;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/fetch/NetworkFetcher;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$fetch$result$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/fetch/NetworkFetcher$writeToDiskCache$1;->(Lcoil3/fetch/NetworkFetcher;Lkotlin/coroutines/Continuation;)V -PLcoil3/fetch/NetworkFetcher$writeToDiskCache$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/fetch/ResourceUriFetcher$Factory;->()V PLcoil3/fetch/SourceFetchResult;->(Lcoil3/decode/ImageSource;Ljava/lang/String;Lcoil3/decode/DataSource;)V PLcoil3/fetch/SourceFetchResult;->getDataSource()Lcoil3/decode/DataSource; @@ -13090,7 +13660,7 @@ PLcoil3/intercept/EngineInterceptor;->access$decode(Lcoil3/intercept/EngineInter PLcoil3/intercept/EngineInterceptor;->access$execute(Lcoil3/intercept/EngineInterceptor;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$fetch(Lcoil3/intercept/EngineInterceptor;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$getMemoryCacheService$p(Lcoil3/intercept/EngineInterceptor;)Lcoil3/memory/MemoryCacheService; -PLcoil3/intercept/EngineInterceptor;->decode(Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/intercept/EngineInterceptor;->decode(Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->execute(Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->fetch(Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->intercept(Lcoil3/intercept/Interceptor$Chain;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13116,7 +13686,7 @@ PLcoil3/intercept/EngineInterceptor$intercept$1;->(Lcoil3/intercept/Engine PLcoil3/intercept/EngineInterceptor$intercept$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$intercept$2;->(Lcoil3/intercept/EngineInterceptor;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lcoil3/memory/MemoryCache$Key;Lcoil3/intercept/Interceptor$Chain;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$intercept$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLcoil3/intercept/EngineInterceptor$intercept$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/intercept/EngineInterceptor$intercept$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptorKt;->transform(Lcoil3/intercept/EngineInterceptor$ExecuteResult;Lcoil3/request/ImageRequest;Lcoil3/request/Options;Lcoil3/EventListener;Lcoil3/util/Logger;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptorKt$transform$1;->(Lkotlin/coroutines/Continuation;)V HPLcoil3/intercept/RealInterceptorChain;->(Lcoil3/request/ImageRequest;Ljava/util/List;ILcoil3/request/ImageRequest;Lcoil3/size/Size;Lcoil3/EventListener;Z)V @@ -13187,25 +13757,126 @@ PLcoil3/memory/WeakReferenceMemoryCache;->()V PLcoil3/memory/WeakReferenceMemoryCache;->get(Lcoil3/memory/MemoryCache$Key;)Lcoil3/memory/MemoryCache$Value; PLcoil3/memory/WeakReferenceMemoryCache$Companion;->()V PLcoil3/memory/WeakReferenceMemoryCache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/network/CacheResponse;->(Lio/ktor/client/statement/HttpResponse;Lio/ktor/http/Headers;)V -PLcoil3/network/CacheResponse;->(Lio/ktor/client/statement/HttpResponse;Lio/ktor/http/Headers;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;)V +PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/network/CacheResponse;->(Lokio/BufferedSource;)V -PLcoil3/network/CacheResponse;->getContentType()Ljava/lang/String; -PLcoil3/network/CacheResponse;->getResponseHeaders()Lio/ktor/http/Headers; +PLcoil3/network/CacheResponse;->getResponseHeaders()Lcoil3/network/NetworkHeaders; HPLcoil3/network/CacheResponse;->writeTo(Lokio/BufferedSink;)V -PLcoil3/network/CacheResponse$1;->(Lokio/BufferedSource;)V -PLcoil3/network/CacheResponse$1;->invoke(Lio/ktor/http/HeadersBuilder;)V -PLcoil3/network/CacheResponse$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLcoil3/network/CacheResponse$cacheControl$2;->(Lcoil3/network/CacheResponse;)V -PLcoil3/network/CacheResponse$contentType$2;->(Lcoil3/network/CacheResponse;)V -PLcoil3/network/CacheResponse$contentType$2;->invoke()Ljava/lang/Object; -PLcoil3/network/CacheResponse$contentType$2;->invoke()Ljava/lang/String; -PLcoil3/network/UtilsKt;->assertNotOnMainThread()V -PLcoil3/network/UtilsKt;->isMainThread()Z -HPLcoil3/network/Utils_commonKt;->append(Lio/ktor/http/HeadersBuilder;Ljava/lang/String;)Lio/ktor/http/HeadersBuilder; -PLcoil3/network/Utils_jvmKt;->writeTo(Lio/ktor/utils/io/ByteReadChannel;Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/network/Utils_jvmKt$writeTo$2;->(Lkotlin/coroutines/Continuation;)V -PLcoil3/network/Utils_jvmKt$writeTo$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ImageRequestsKt;->()V +PLcoil3/network/ImageRequestsKt;->getHttpBody(Lcoil3/request/Options;)Lcoil3/network/NetworkRequestBody; +PLcoil3/network/ImageRequestsKt;->getHttpHeaders(Lcoil3/request/Options;)Lcoil3/network/NetworkHeaders; +PLcoil3/network/ImageRequestsKt;->getHttpMethod(Lcoil3/request/Options;)Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->(Ljava/lang/String;Lcoil3/request/Options;Lkotlin/Lazy;Lkotlin/Lazy;Lkotlin/Lazy;)V +PLcoil3/network/NetworkFetcher;->access$getUrl$p(Lcoil3/network/NetworkFetcher;)Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->access$toCacheResponse(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; +PLcoil3/network/NetworkFetcher;->access$toImageSource(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; +PLcoil3/network/NetworkFetcher;->access$writeToDiskCache(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher;->executeNetworkRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/NetworkFetcher;->fetch(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher;->getDiskCacheKey()Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->getFileSystem()Lokio/FileSystem; +PLcoil3/network/NetworkFetcher;->getMimeType$coil_network_core_release(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; +PLcoil3/network/NetworkFetcher;->newRequest()Lcoil3/network/NetworkRequest; +PLcoil3/network/NetworkFetcher;->readFromDiskCache()Lcoil3/disk/DiskCache$Snapshot; +PLcoil3/network/NetworkFetcher;->toCacheResponse(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; +PLcoil3/network/NetworkFetcher;->toImageSource(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; +HPLcoil3/network/NetworkFetcher;->writeToDiskCache(Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$Factory;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V +PLcoil3/network/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; +PLcoil3/network/NetworkFetcher$Factory;->create(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; +PLcoil3/network/NetworkFetcher$Factory;->isApplicable(Lcoil3/Uri;)Z +PLcoil3/network/NetworkFetcher$Factory$create$1;->(Lcoil3/ImageLoader;)V +PLcoil3/network/NetworkFetcher$Factory$create$1;->invoke()Lcoil3/disk/DiskCache; +PLcoil3/network/NetworkFetcher$Factory$create$1;->invoke()Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->invoke(Lcoil3/network/NetworkResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$executeNetworkRequest$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$fetch$1;->(Lcoil3/network/NetworkFetcher;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$fetch$result$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/network/NetworkFetcher;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$fetch$result$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLcoil3/network/NetworkFetcher$fetch$result$1;->invoke(Lcoil3/network/NetworkResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$fetch$result$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/network/NetworkFetcher$fetch$result$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkFetcher$writeToDiskCache$1;->(Lcoil3/network/NetworkFetcher;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/NetworkFetcher$writeToDiskCache$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/NetworkHeaders;->()V +PLcoil3/network/NetworkHeaders;->(Ljava/util/Map;)V +PLcoil3/network/NetworkHeaders;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/network/NetworkHeaders;->access$getData$p(Lcoil3/network/NetworkHeaders;)Ljava/util/Map; +PLcoil3/network/NetworkHeaders;->asMap()Ljava/util/Map; +PLcoil3/network/NetworkHeaders;->get(Ljava/lang/String;)Ljava/lang/String; +PLcoil3/network/NetworkHeaders;->newBuilder()Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Builder;->()V +PLcoil3/network/NetworkHeaders$Builder;->(Lcoil3/network/NetworkHeaders;)V +HPLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Builder;->build()Lcoil3/network/NetworkHeaders; +PLcoil3/network/NetworkHeaders$Builder;->set(Ljava/lang/String;Ljava/util/List;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Companion;->()V +PLcoil3/network/NetworkHeaders$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/network/NetworkRequest;->(Ljava/lang/String;Ljava/lang/String;Lcoil3/network/NetworkHeaders;Lcoil3/network/NetworkRequestBody;)V +PLcoil3/network/NetworkRequest;->getBody()Lcoil3/network/NetworkRequestBody; +PLcoil3/network/NetworkRequest;->getHeaders()Lcoil3/network/NetworkHeaders; +PLcoil3/network/NetworkRequest;->getMethod()Ljava/lang/String; +PLcoil3/network/NetworkRequest;->getUrl()Ljava/lang/String; +PLcoil3/network/NetworkResponse;->(Lcoil3/network/NetworkRequest;IJJLcoil3/network/NetworkHeaders;Lcoil3/network/NetworkResponseBody;Ljava/lang/Object;)V +PLcoil3/network/NetworkResponse;->getBody()Lcoil3/network/NetworkResponseBody; +PLcoil3/network/NetworkResponse;->getCode()I +PLcoil3/network/NetworkResponse;->getHeaders()Lcoil3/network/NetworkHeaders; +PLcoil3/network/NetworkResponse;->getRequestMillis()J +PLcoil3/network/NetworkResponse;->getResponseMillis()J +PLcoil3/network/internal/UtilsKt;->assertNotOnMainThread()V +HPLcoil3/network/internal/Utils_commonKt;->append(Lcoil3/network/NetworkHeaders$Builder;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/ktor/KtorNetworkFetcher;->asNetworkClient(Lio/ktor/client/HttpClient;)Lcoil3/network/NetworkClient; +PLcoil3/network/ktor/KtorNetworkFetcher;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$1;->()V +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$1;->()V +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$2;->()V +PLcoil3/network/ktor/KtorNetworkFetcher$KtorNetworkFetcherFactory$2;->()V +PLcoil3/network/ktor/internal/KtorNetworkClient;->(Lio/ktor/client/HttpClient;)V +PLcoil3/network/ktor/internal/KtorNetworkClient;->box-impl(Lio/ktor/client/HttpClient;)Lcoil3/network/ktor/internal/KtorNetworkClient; +PLcoil3/network/ktor/internal/KtorNetworkClient;->constructor-impl(Lio/ktor/client/HttpClient;)Lio/ktor/client/HttpClient; +PLcoil3/network/ktor/internal/KtorNetworkClient;->executeRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/KtorNetworkClient;->executeRequest-impl(Lio/ktor/client/HttpClient;Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$1;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->(Lkotlin/jvm/functions/Function2;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkClient$executeRequest$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->()V +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/fetch/Fetcher$Factory; +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/ktor/internal/KtorNetworkFetcherServiceLoaderTarget;->type()Lkotlin/reflect/KClass; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->(Lio/ktor/utils/io/ByteReadChannel;)V +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->box-impl(Lio/ktor/utils/io/ByteReadChannel;)Lcoil3/network/ktor/internal/KtorNetworkResponseBody; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->constructor-impl(Lio/ktor/utils/io/ByteReadChannel;)Lio/ktor/utils/io/ByteReadChannel; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->writeTo(Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/KtorNetworkResponseBody;->writeTo-impl(Lio/ktor/utils/io/ByteReadChannel;Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/UtilsKt;->writeTo(Lio/ktor/utils/io/ByteReadChannel;Lokio/FileSystem;Lokio/Path;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/UtilsKt$writeTo$2;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/UtilsKt$writeTo$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->access$toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->access$toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->takeFrom(Lio/ktor/http/HeadersBuilder;Lcoil3/network/NetworkHeaders;)V +PLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkHeaders(Lio/ktor/http/Headers;)Lcoil3/network/NetworkHeaders; +PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLcoil3/network/ktor/internal/Utils_commonKt$toHttpRequestBuilder$1;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/ktor/internal/Utils_commonKt$toNetworkResponse$1;->(Lkotlin/coroutines/Continuation;)V +PLcoil3/network/okhttp/OkHttpNetworkFetcher;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$1;->()V +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$1;->()V +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$2;->()V +PLcoil3/network/okhttp/OkHttpNetworkFetcher$OkHttpNetworkFetcherFactory$2;->()V +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->()V +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/fetch/Fetcher$Factory; +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->factory()Lcoil3/network/NetworkFetcher$Factory; +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->priority()I +PLcoil3/network/okhttp/internal/OkHttpNetworkFetcherServiceLoaderTarget;->type()Lkotlin/reflect/KClass; PLcoil3/request/AndroidRequestService;->(Lcoil3/ImageLoader;Lcoil3/util/SystemCallbacks;Lcoil3/util/Logger;)V HPLcoil3/request/AndroidRequestService;->isBitmapConfigValidMainThread(Lcoil3/request/ImageRequest;Lcoil3/size/Size;)Z PLcoil3/request/AndroidRequestService;->isBitmapConfigValidWorkerThread(Lcoil3/request/Options;)Z @@ -13227,7 +13898,7 @@ PLcoil3/request/CachePolicy;->(Ljava/lang/String;IZZ)V PLcoil3/request/CachePolicy;->getReadEnabled()Z PLcoil3/request/CachePolicy;->getWriteEnabled()Z HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;)V -HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/request/ImageRequest;->equals(Ljava/lang/Object;)Z HPLcoil3/request/ImageRequest;->getContext()Landroid/content/Context; HPLcoil3/request/ImageRequest;->getData()Ljava/lang/Object; @@ -13240,10 +13911,10 @@ PLcoil3/request/ImageRequest;->getDiskCachePolicy()Lcoil3/request/CachePolicy; HPLcoil3/request/ImageRequest;->getExtras()Lcoil3/Extras; PLcoil3/request/ImageRequest;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest;->getFetcherFactory()Lkotlin/Pair; -PLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; +HPLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; PLcoil3/request/ImageRequest;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest;->getListener()Lcoil3/request/ImageRequest$Listener; -PLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; +HPLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; HPLcoil3/request/ImageRequest;->getMemoryCacheKeyExtras()Ljava/util/Map; PLcoil3/request/ImageRequest;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; @@ -13276,14 +13947,14 @@ PLcoil3/request/ImageRequest$Defaults;->(Lokio/FileSystem;Lkotlinx/corouti PLcoil3/request/ImageRequest$Defaults;->(Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/request/ImageRequest$Defaults;->copy$default(Lcoil3/request/ImageRequest$Defaults;Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;ILjava/lang/Object;)Lcoil3/request/ImageRequest$Defaults; PLcoil3/request/ImageRequest$Defaults;->copy(Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;)Lcoil3/request/ImageRequest$Defaults; -PLcoil3/request/ImageRequest$Defaults;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -HPLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; +PLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getExtras()Lcoil3/Extras; -PLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; +HPLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest$Defaults;->getFileSystem()Lokio/FileSystem; -PLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -HPLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; -HPLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; +PLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; +PLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getPrecision()Lcoil3/size/Precision; PLcoil3/request/ImageRequest$Defaults$Companion;->()V PLcoil3/request/ImageRequest$Defaults$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13298,8 +13969,8 @@ PLcoil3/request/ImageRequest$Defined;->getMemoryCachePolicy()Lcoil3/request/Cach PLcoil3/request/ImageRequest$Defined;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defined;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defined;->getPrecision()Lcoil3/size/Precision; -HPLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; -PLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; +PLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; +HPLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequestKt;->resolveScale(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/Scale; HPLcoil3/request/ImageRequestKt;->resolveSizeResolver(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/SizeResolver; PLcoil3/request/ImageRequestsKt;->()V @@ -13307,7 +13978,7 @@ PLcoil3/request/ImageRequestsKt;->crossfade(Lcoil3/request/ImageRequest$Builder; HPLcoil3/request/ImageRequestsKt;->getAllowHardware(Lcoil3/request/ImageRequest;)Z HPLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/ImageRequest;)Z PLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/Options;)Z -PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; +HPLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/Options;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getColorSpace(Lcoil3/request/Options;)Landroid/graphics/ColorSpace; PLcoil3/request/ImageRequestsKt;->getPremultipliedAlpha(Lcoil3/request/Options;)Z @@ -13315,16 +13986,12 @@ PLcoil3/request/ImageRequestsKt;->getTransformations(Lcoil3/request/ImageRequest PLcoil3/request/ImageRequestsKt;->getTransitionFactory(Lcoil3/request/ImageRequest;)Lcoil3/transition/Transition$Factory; PLcoil3/request/ImageRequestsKt;->newCrossfadeTransitionFactory(I)Lcoil3/transition/Transition$Factory; PLcoil3/request/ImageRequestsKt;->transitionFactory(Lcoil3/request/ImageRequest$Builder;Lcoil3/transition/Transition$Factory;)Lcoil3/request/ImageRequest$Builder; -PLcoil3/request/NetworkRequestsKt;->()V -PLcoil3/request/NetworkRequestsKt;->getHttpHeaders(Lcoil3/request/Options;)Lio/ktor/http/Headers; -PLcoil3/request/NetworkRequestsKt;->getHttpMethod(Lcoil3/request/Options;)Lio/ktor/http/HttpMethod; PLcoil3/request/NullRequestData;->()V PLcoil3/request/NullRequestData;->()V PLcoil3/request/OneShotDisposable;->(Lkotlinx/coroutines/Deferred;)V PLcoil3/request/OneShotDisposable;->getJob()Lkotlinx/coroutines/Deferred; HPLcoil3/request/Options;->(Landroid/content/Context;Lcoil3/size/Size;Lcoil3/size/Scale;ZLjava/lang/String;Lokio/FileSystem;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/Extras;)V PLcoil3/request/Options;->getAllowInexactSize()Z -PLcoil3/request/Options;->getContext()Landroid/content/Context; PLcoil3/request/Options;->getDiskCacheKey()Ljava/lang/String; PLcoil3/request/Options;->getDiskCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/Options;->getExtras()Lcoil3/Extras; @@ -13336,7 +14003,7 @@ PLcoil3/request/RequestServiceKt;->RequestService(Lcoil3/ImageLoader;Lcoil3/util HPLcoil3/request/SuccessResult;->(Lcoil3/Image;Lcoil3/request/ImageRequest;Lcoil3/decode/DataSource;Lcoil3/memory/MemoryCache$Key;Ljava/lang/String;ZZ)V PLcoil3/request/SuccessResult;->getDataSource()Lcoil3/decode/DataSource; PLcoil3/request/SuccessResult;->getImage()Lcoil3/Image; -PLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; +HPLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; PLcoil3/request/SuccessResult;->isPlaceholderCached()Z PLcoil3/size/Dimension$Pixels;->(I)V PLcoil3/size/Dimension$Pixels;->equals(Ljava/lang/Object;)Z @@ -13398,7 +14065,7 @@ PLcoil3/util/ContextsKt;->totalAvailableMemoryBytes(Landroid/content/Context;)J PLcoil3/util/CoroutinesKt;->ioCoroutineDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/util/EmptyNetworkObserver;->()V PLcoil3/util/EmptyNetworkObserver;->isOnline()Z -PLcoil3/util/FileSystemsKt;->remainingFreeSpaceBytes(Lokio/FileSystem;Lokio/Path;)J +PLcoil3/util/FetcherServiceLoaderTarget;->priority()I PLcoil3/util/FileSystems_commonKt;->createFile$default(Lokio/FileSystem;Lokio/Path;ZILjava/lang/Object;)V PLcoil3/util/FileSystems_commonKt;->createFile(Lokio/FileSystem;Lokio/Path;Z)V PLcoil3/util/FileSystems_jvmKt;->defaultFileSystem()Lokio/FileSystem; @@ -13415,6 +14082,18 @@ PLcoil3/util/LruCache;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Obje PLcoil3/util/LruCache;->safeSizeOf(Ljava/lang/Object;Ljava/lang/Object;)J PLcoil3/util/LruCache;->trimToSize(J)V PLcoil3/util/NetworkObserverKt;->NetworkObserver(Landroid/content/Context;Lcoil3/util/NetworkObserver$Listener;Lcoil3/util/Logger;)Lcoil3/util/NetworkObserver; +PLcoil3/util/ServiceLoaderComponentRegistry;->()V +PLcoil3/util/ServiceLoaderComponentRegistry;->()V +PLcoil3/util/ServiceLoaderComponentRegistry;->getDecoders()Ljava/util/List; +PLcoil3/util/ServiceLoaderComponentRegistry;->getFetchers()Ljava/util/List; +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->invoke()Ljava/lang/Object; +PLcoil3/util/ServiceLoaderComponentRegistry$decoders$2;->invoke()Ljava/util/List; +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/lang/Object; +PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/util/List; PLcoil3/util/SystemCallbacksKt;->SystemCallbacks()Lcoil3/util/SystemCallbacks; PLcoil3/util/Utils_androidKt;->()V HPLcoil3/util/Utils_androidKt;->getAllowInexactSize(Lcoil3/request/ImageRequest;)Z @@ -13436,6 +14115,7 @@ PLcoil3/util/Utils_commonKt$WhenMappings;->()V Lcom/google/android/material/theme/MaterialComponentsViewInflater; HSPLcom/google/android/material/theme/MaterialComponentsViewInflater;->()V Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/backstack/BackStack;->push$default(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;ILjava/lang/Object;)V Lcom/slack/circuit/backstack/BackStack$Record; Lcom/slack/circuit/backstack/BackStackKt; HSPLcom/slack/circuit/backstack/BackStackKt;->isEmpty(Lcom/slack/circuit/backstack/BackStack;)Z @@ -13463,7 +14143,7 @@ PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getValueProviders$p(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)Ljava/util/Map; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->canBeSaved(Ljava/lang/Object;)Z -HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->getParentRegistry()Landroidx/compose/runtime/saveable/SaveableStateRegistry; HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->performSave()Ljava/util/Map; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; @@ -13506,13 +14186,16 @@ Lcom/slack/circuit/backstack/ProvidedValues; Lcom/slack/circuit/backstack/SaveableBackStack; HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getEntryList$p(Lcom/slack/circuit/backstack/SaveableBackStack;)Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getStateStore$backstack_release()Ljava/util/Map; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/BackStack$Record; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/SaveableBackStack$Record; HSPLcom/slack/circuit/backstack/SaveableBackStack;->iterator()Ljava/util/Iterator; -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;)V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V Lcom/slack/circuit/backstack/SaveableBackStack$Companion; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13520,7 +14203,7 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->getSaver()Landroid Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack;)Ljava/util/List; +HPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack;)Ljava/util/List; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2;->()V @@ -13529,12 +14212,15 @@ Lcom/slack/circuit/backstack/SaveableBackStack$Record; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getResultKey$p(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/lang/String; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$readResult(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Lcom/slack/circuit/runtime/screen/PopResult; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getArgs()Ljava/util/Map; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getKey()Ljava/lang/String; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getScreen()Lcom/slack/circuit/runtime/screen/Screen; HPLcom/slack/circuit/backstack/SaveableBackStack$Record;->hashCode()I +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->readResult()Lcom/slack/circuit/runtime/screen/PopResult; Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13542,7 +14228,7 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->getSaver()L Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/util/List; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/util/Map; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V @@ -13586,6 +14272,30 @@ PLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProvider$providedValu Lcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt; HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt;->access$findActivity(Landroid/content/Context;)Landroid/app/Activity; HSPLcom/slack/circuit/backstack/ViewModelBackStackRecordLocalProviderKt;->findActivity(Landroid/content/Context;)Landroid/app/Activity; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->access$rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$5(Landroidx/compose/runtime/MutableState;)Z +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/runtime/Navigator;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1;->(Ljava/lang/String;Landroidx/compose/runtime/State;Landroidx/compose/runtime/MutableState;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1;->(Landroidx/compose/runtime/State;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Landroidx/compose/runtime/MutableState; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Ljava/lang/Object; Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/foundation/Circuit;->()V HSPLcom/slack/circuit/foundation/Circuit;->(Lcom/slack/circuit/foundation/Circuit$Builder;)V @@ -13665,7 +14375,7 @@ Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$ HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->(Lcom/slack/circuit/foundation/EventListener;)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->dispose()V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1;->(Lkotlin/jvm/functions/Function1;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1;->(Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/runtime/screen/Screen;)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1; HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->(Ljava/lang/Object;)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->invoke(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; @@ -13711,6 +14421,7 @@ HSPLcom/slack/circuit/foundation/EventListener$Companion;->getNONE()Lcom/slack/c Lcom/slack/circuit/foundation/EventListener$Companion$NONE$1; HSPLcom/slack/circuit/foundation/EventListener$Companion$NONE$1;->()V Lcom/slack/circuit/foundation/NavigableCircuitContentKt; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->()V HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->NavigableCircuitContent(Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$1(Landroidx/compose/runtime/State;)Lcom/slack/circuit/runtime/Navigator; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; @@ -13720,7 +14431,11 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContent HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$3(Landroidx/compose/runtime/State;)Lkotlin/jvm/functions/Function4; HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getLocalBackStack()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getRegistryKey(Lcom/slack/circuit/backstack/BackStack$Record;)Ljava/lang/String; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->(Lcom/slack/circuit/backstack/NavDecoration;Lkotlinx/collections/immutable/ImmutableList;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lkotlinx/collections/immutable/ImmutableMap;)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -13735,7 +14450,7 @@ Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;)V PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->canRetain(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1; -HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->(Lcom/slack/circuit/backstack/BackStack$Record;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/foundation/RecordContentProvider;)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->(Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/foundation/RecordContentProvider;)V HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$1; @@ -13765,21 +14480,22 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentPr Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration; HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V -HPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->DecoratedContent(Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->(I)V -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->DecoratedContent(Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2; HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->(Lkotlin/jvm/functions/Function3;)V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Landroidx/compose/animation/AnimatedContentScope;Lkotlinx/collections/immutable/ImmutableList;Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$3; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$3;->(Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;I)V -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->(I)V -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->invoke()Landroidx/compose/runtime/MutableState; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V @@ -13787,17 +14503,19 @@ Lcom/slack/circuit/foundation/NavigatorImplKt; HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->onBack(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)Lkotlin/jvm/functions/Function0; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;ZLandroidx/compose/runtime/Composer;II)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1; HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Ljava/lang/Object;)V -Lcom/slack/circuit/foundation/Navigator_androidKt$rememberCircuitNavigator$1$1; -HSPLcom/slack/circuit/foundation/Navigator_androidKt$rememberCircuitNavigator$1$1;->(Ljava/lang/Object;)V +Lcom/slack/circuit/foundation/Navigator_androidKt$onBack$1; +HSPLcom/slack/circuit/foundation/Navigator_androidKt$onBack$1;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)V Lcom/slack/circuit/foundation/RecordContentProvider; HSPLcom/slack/circuit/foundation/RecordContentProvider;->()V HSPLcom/slack/circuit/foundation/RecordContentProvider;->(Lcom/slack/circuit/backstack/BackStack$Record;Lkotlin/jvm/functions/Function3;)V +HSPLcom/slack/circuit/foundation/RecordContentProvider;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/foundation/RecordContentProvider;->getContent$circuit_foundation_release()Lkotlin/jvm/functions/Function3; HSPLcom/slack/circuit/foundation/RecordContentProvider;->getRecord()Lcom/slack/circuit/backstack/BackStack$Record; -HPLcom/slack/circuit/foundation/RecordContentProvider;->hashCode()I +HSPLcom/slack/circuit/foundation/RecordContentProvider;->hashCode()I Lcom/slack/circuit/overlay/AnimatedOverlay; Lcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt; HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt;->()V @@ -13810,6 +14528,7 @@ HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda- HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/overlay/ContentWithOverlaysKt; HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayState; HPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->access$ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1; @@ -13823,6 +14542,10 @@ HPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->i HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2; HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2;->(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;II)V +Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/overlay/Overlay; Lcom/slack/circuit/overlay/OverlayHost; Lcom/slack/circuit/overlay/OverlayHostData; @@ -13836,6 +14559,16 @@ HSPLcom/slack/circuit/overlay/OverlayKt;->rememberOverlayHost(Landroidx/compose/ Lcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1; HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V +Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->$values()[Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->()V +HSPLcom/slack/circuit/overlay/OverlayState;->(Ljava/lang/String;I)V +Lcom/slack/circuit/overlay/OverlayStateKt; +HSPLcom/slack/circuit/overlay/OverlayStateKt;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt;->getLocalOverlayState()Landroidx/compose/runtime/ProvidableCompositionLocal; +Lcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1; +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V Lcom/slack/circuit/retained/AndroidContinuityKt; HPLcom/slack/circuit/retained/AndroidContinuityKt;->continuityRetainedStateRegistry(Ljava/lang/String;Landroidx/lifecycle/ViewModelProvider$Factory;Lcom/slack/circuit/retained/CanRetainChecker;Landroidx/compose/runtime/Composer;II)Lcom/slack/circuit/retained/RetainedStateRegistry; HSPLcom/slack/circuit/retained/AndroidContinuityKt;->continuityRetainedStateRegistry(Ljava/lang/String;Lcom/slack/circuit/retained/CanRetainChecker;Landroidx/compose/runtime/Composer;II)Lcom/slack/circuit/retained/RetainedStateRegistry; @@ -13884,7 +14617,7 @@ Lcom/slack/circuit/retained/ContinuityViewModel; HSPLcom/slack/circuit/retained/ContinuityViewModel;->()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->consumeValue(Ljava/lang/String;)Ljava/lang/Object; -PLcom/slack/circuit/retained/ContinuityViewModel;->forgetUnclaimedValues()V +HSPLcom/slack/circuit/retained/ContinuityViewModel;->forgetUnclaimedValues()V PLcom/slack/circuit/retained/ContinuityViewModel;->onCleared()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; PLcom/slack/circuit/retained/ContinuityViewModel;->saveValue(Ljava/lang/String;)V @@ -13921,7 +14654,7 @@ Lcom/slack/circuit/retained/RetainedStateRegistryImpl; HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->()V HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->(Ljava/util/Map;)V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->consumeValue(Ljava/lang/String;)Ljava/lang/Object; -PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues()V +HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues()V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getRetained()Ljava/util/Map; PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getValueProviders$circuit_retained_release()Ljava/util/Map; HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; @@ -13948,6 +14681,7 @@ Lcom/slack/circuit/runtime/CircuitContext$Companion; HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->()V HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lcom/slack/circuit/runtime/CircuitUiState; +Lcom/slack/circuit/runtime/GoToNavigator; Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/runtime/internal/NoOpMap; HSPLcom/slack/circuit/runtime/internal/NoOpMap;->()V @@ -13957,6 +14691,7 @@ HSPLcom/slack/circuit/runtime/internal/NoOpSet;->()V HSPLcom/slack/circuit/runtime/internal/NoOpSet;->()V Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/runtime/presenter/Presenter$Factory; +Lcom/slack/circuit/runtime/screen/PopResult; Lcom/slack/circuit/runtime/screen/Screen; Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/runtime/ui/Ui$Factory; @@ -13987,10 +14722,10 @@ HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Landroidx/co HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1;->(Ljava/lang/Object;)V -Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1; -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1;->(Lkotlinx/collections/immutable/PersistentList;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1;->invoke(Lcom/slack/circuit/backstack/SaveableBackStack;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backstack$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1; +HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->(Lkotlinx/collections/immutable/PersistentList;)V +HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Lcom/slack/circuit/backstack/SaveableBackStack;)V +HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1;->(Ljava/lang/Object;)V Lcom/slack/circuit/star/MainActivity$sam$com_slack_circuitx_android_AndroidScreenStarter$0; @@ -14020,7 +14755,7 @@ HSPLcom/slack/circuit/star/benchmark/IndexMultiplier_Factory$InstanceHolder;->()V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory;->()V -PLcom/slack/circuit/star/benchmark/ListBenchmarksFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory; HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory;->()V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory;->create()Lcom/slack/circuit/star/benchmark/ListBenchmarksFactory_Factory; @@ -14140,15 +14875,36 @@ PLcom/slack/circuit/star/data/Colors;->getPrimary()Ljava/lang/String; PLcom/slack/circuit/star/data/Colors;->getSecondary()Ljava/lang/String; PLcom/slack/circuit/star/data/ColorsJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/ColorsJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->()V +PLcom/slack/circuit/star/data/ContextStarAppDirs;->(Landroid/content/Context;Lokio/FileSystem;)V +PLcom/slack/circuit/star/data/ContextStarAppDirs;->access$getContext$p(Lcom/slack/circuit/star/data/ContextStarAppDirs;)Landroid/content/Context; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->getFs()Lokio/FileSystem; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->getUserCache()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs;->getUserConfig()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userCache$2;->(Lcom/slack/circuit/star/data/ContextStarAppDirs;)V +PLcom/slack/circuit/star/data/ContextStarAppDirs$userCache$2;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userCache$2;->invoke()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userConfig$2;->(Lcom/slack/circuit/star/data/ContextStarAppDirs;)V +PLcom/slack/circuit/star/data/ContextStarAppDirs$userConfig$2;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userConfig$2;->invoke()Lokio/Path; +PLcom/slack/circuit/star/data/ContextStarAppDirs$userData$2;->(Lcom/slack/circuit/star/data/ContextStarAppDirs;)V +Lcom/slack/circuit/star/data/ContextStarAppDirs_Factory; +HSPLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/ContextStarAppDirs_Factory; +PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Lcom/slack/circuit/star/data/ContextStarAppDirs; +PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->newInstance(Landroid/content/Context;Lokio/FileSystem;)Lcom/slack/circuit/star/data/ContextStarAppDirs; Lcom/slack/circuit/star/data/DataModule; PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$DB7R4HeDnMWpb1ErSjMSLCfy6r8(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$mn3Xyc6tGOF1yxPQrbrKYubJoY0(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; HSPLcom/slack/circuit/star/data/DataModule;->()V HSPLcom/slack/circuit/star/data/DataModule;->()V PLcom/slack/circuit/star/data/DataModule;->provideAuthedOkHttpClient(Lretrofit2/Retrofit;Lcom/slack/circuit/star/data/TokenStorage;Lokhttp3/OkHttpClient;)Lokhttp3/OkHttpClient; +PLcom/slack/circuit/star/data/DataModule;->provideFileSystem()Lokio/FileSystem; +PLcom/slack/circuit/star/data/DataModule;->provideHttpCache(Lcom/slack/circuit/star/data/StarAppDirs;)Lokhttp3/Cache; PLcom/slack/circuit/star/data/DataModule;->provideHttpClient(Ldagger/Lazy;)Lio/ktor/client/HttpClient; HSPLcom/slack/circuit/star/data/DataModule;->provideMoshi()Lcom/squareup/moshi/Moshi; -PLcom/slack/circuit/star/data/DataModule;->provideOkHttpClient()Lokhttp3/OkHttpClient; +PLcom/slack/circuit/star/data/DataModule;->provideOkHttpClient(Lokhttp3/Cache;)Lokhttp3/OkHttpClient; PLcom/slack/circuit/star/data/DataModule;->providePetfinderApi$lambda$2(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; HSPLcom/slack/circuit/star/data/DataModule;->providePetfinderApi(Lretrofit2/Retrofit;Ldagger/Lazy;)Lcom/slack/circuit/star/data/PetfinderApi; PLcom/slack/circuit/star/data/DataModule;->provideRetrofit$lambda$1(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; @@ -14177,6 +14933,21 @@ HSPLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->cr PLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->get()Ljava/lang/Object; PLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->get()Lokhttp3/OkHttpClient; PLcom/slack/circuit/star/data/DataModule_ProvideAuthedOkHttpClientFactory;->provideAuthedOkHttpClient(Lretrofit2/Retrofit;Lcom/slack/circuit/star/data/TokenStorage;Lokhttp3/OkHttpClient;)Lokhttp3/OkHttpClient; +Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->()V +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->create()Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory; +PLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->get()Lokio/FileSystem; +PLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory;->provideFileSystem()Lokio/FileSystem; +Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory$InstanceHolder; +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideFileSystemFactory$InstanceHolder;->()V +Lcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->(Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory; +PLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->get()Lokhttp3/Cache; +PLcom/slack/circuit/star/data/DataModule_ProvideHttpCacheFactory;->provideHttpCache(Lcom/slack/circuit/star/data/StarAppDirs;)Lokhttp3/Cache; Lcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory; HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvideHttpClientFactory; @@ -14193,14 +14964,11 @@ Lcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory$InstanceHolder; HSPLcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory; HSPLcom/slack/circuit/star/data/DataModule_ProvideMoshiFactory$InstanceHolder;->()V Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->()V -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->create()Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; +HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->(Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->get()Ljava/lang/Object; PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->get()Lokhttp3/OkHttpClient; -PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->provideOkHttpClient()Lokhttp3/OkHttpClient; -Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory$InstanceHolder; -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory; -HSPLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory$InstanceHolder;->()V +PLcom/slack/circuit/star/data/DataModule_ProvideOkHttpClientFactory;->provideOkHttpClient(Lokhttp3/Cache;)Lokhttp3/OkHttpClient; Lcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory; HSPLcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/DataModule_ProvidePetfinderApiFactory; @@ -14239,7 +15007,7 @@ PLcom/slack/circuit/star/data/Link;->(Ljava/lang/String;)V PLcom/slack/circuit/star/data/LinkJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/LinkJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/Links;->()V -PLcom/slack/circuit/star/data/Links;->(Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;)V +HPLcom/slack/circuit/star/data/Links;->(Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;Lcom/slack/circuit/star/data/Link;)V PLcom/slack/circuit/star/data/LinksJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/LinksJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/Pagination;->()V @@ -14288,8 +15056,8 @@ PLcom/slack/circuit/star/data/TokenStorageImpl$updateAuthData$2;->invoke(Ljava/l PLcom/slack/circuit/star/data/TokenStorageImpl$updateAuthData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/data/TokenStorageModule;->()V PLcom/slack/circuit/star/data/TokenStorageModule;->()V -PLcom/slack/circuit/star/data/TokenStorageModule;->provideDatastoreStorage(Landroid/content/Context;)Landroidx/datastore/core/Storage; -PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->(Landroid/content/Context;)V +PLcom/slack/circuit/star/data/TokenStorageModule;->provideDatastoreStorage(Lcom/slack/circuit/star/data/StarAppDirs;)Landroidx/datastore/core/Storage; +PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->(Lcom/slack/circuit/star/data/StarAppDirs;)V PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/data/TokenStorageModule$provideDatastoreStorage$1;->invoke(Lokio/FileSystem;)Lokio/Path; Lcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory; @@ -14297,7 +15065,7 @@ HSPLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactor HSPLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory; PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->get()Landroidx/datastore/core/Storage; PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->get()Ljava/lang/Object; -PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->provideDatastoreStorage(Landroid/content/Context;)Landroidx/datastore/core/Storage; +PLcom/slack/circuit/star/data/TokenStorageModule_ProvideDatastoreStorageFactory;->provideDatastoreStorage(Lcom/slack/circuit/star/data/StarAppDirs;)Landroidx/datastore/core/Storage; PLcom/slack/circuit/star/data/VideoJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V PLcom/slack/circuit/star/datastore/DatastoreExtensionsKt;->createStorage(Lokio/FileSystem;Lkotlin/jvm/functions/Function1;)Landroidx/datastore/core/Storage; PLcom/slack/circuit/star/datastore/DatastoreExtensionsKt;->getExtension(Lokio/Path;)Ljava/lang/String; @@ -14308,12 +15076,12 @@ PLcom/slack/circuit/star/db/Animal;->()V HPLcom/slack/circuit/star/db/Animal;->(JJLjava/lang/String;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Ljava/lang/String;Lcom/slack/circuit/star/db/Gender;Lcom/slack/circuit/star/db/Size;Ljava/lang/String;)V PLcom/slack/circuit/star/db/Animal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getDescription()Ljava/lang/String; -PLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; +HPLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; PLcom/slack/circuit/star/db/Animal;->getId()J -PLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; +HPLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getPhotoUrls()Lkotlinx/collections/immutable/ImmutableList; -PLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; -PLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; +HPLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; +HPLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getSize()Lcom/slack/circuit/star/db/Size; PLcom/slack/circuit/star/db/Animal;->getSort()J PLcom/slack/circuit/star/db/Animal;->getTags()Lkotlinx/collections/immutable/ImmutableList; @@ -14321,7 +15089,7 @@ PLcom/slack/circuit/star/db/Animal;->getUrl()Ljava/lang/String; Lcom/slack/circuit/star/db/Animal$Adapter; HSPLcom/slack/circuit/star/db/Animal$Adapter;->()V HSPLcom/slack/circuit/star/db/Animal$Adapter;->(Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;)V -PLcom/slack/circuit/star/db/Animal$Adapter;->getGenderAdapter()Lapp/cash/sqldelight/ColumnAdapter; +HPLcom/slack/circuit/star/db/Animal$Adapter;->getGenderAdapter()Lapp/cash/sqldelight/ColumnAdapter; HPLcom/slack/circuit/star/db/Animal$Adapter;->getPhotoUrlsAdapter()Lapp/cash/sqldelight/ColumnAdapter; PLcom/slack/circuit/star/db/Animal$Adapter;->getSizeAdapter()Lapp/cash/sqldelight/ColumnAdapter; PLcom/slack/circuit/star/db/Animal$Adapter;->getTagsAdapter()Lapp/cash/sqldelight/ColumnAdapter; @@ -14395,7 +15163,7 @@ PLcom/slack/circuit/star/db/StarQueries$deleteAllAnimals$1;->invoke(Lkotlin/jvm/ Lcom/slack/circuit/star/db/StarQueries$getAllAnimals$1; HSPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->(Lkotlin/jvm/functions/Function12;Lcom/slack/circuit/star/db/StarQueries;)V HPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Ljava/lang/Object; -HPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcom/slack/circuit/star/db/StarQueries$getAllAnimals$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/db/StarQueries$getAllAnimals$2; HSPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$2;->()V HSPLcom/slack/circuit/star/db/StarQueries$getAllAnimals$2;->()V @@ -14443,19 +15211,6 @@ HSPLcom/slack/circuit/star/di/AppComponent$Companion;->()V HSPLcom/slack/circuit/star/di/AppComponent$Companion;->()V HSPLcom/slack/circuit/star/di/AppComponent$Companion;->create(Landroid/content/Context;)Lcom/slack/circuit/star/di/AppComponent; Lcom/slack/circuit/star/di/AppComponent$Factory; -PLcom/slack/circuit/star/di/BaseUiModule;->()V -PLcom/slack/circuit/star/di/BaseUiModule$Companion;->()V -PLcom/slack/circuit/star/di/BaseUiModule$Companion;->()V -PLcom/slack/circuit/star/di/BaseUiModule$Companion;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;)Lcoil3/ImageLoader; -PLcom/slack/circuit/star/di/BaseUiModule$Companion$provideImageLoader$1$1;->(Ldagger/Lazy;)V -PLcom/slack/circuit/star/di/BaseUiModule$Companion$provideImageLoader$1$1;->invoke()Lio/ktor/client/HttpClient; -PLcom/slack/circuit/star/di/BaseUiModule$Companion$provideImageLoader$1$1;->invoke()Ljava/lang/Object; -Lcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory; -HSPLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;)V -HSPLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory; -PLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->get()Lcoil3/ImageLoader; -PLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->get()Ljava/lang/Object; -PLcom/slack/circuit/star/di/BaseUiModule_Companion_ProvideImageLoaderFactory;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;)Lcoil3/ImageLoader; Lcom/slack/circuit/star/di/CircuitModule; HSPLcom/slack/circuit/star/di/CircuitModule;->()V Lcom/slack/circuit/star/di/CircuitModule$Companion; @@ -14468,6 +15223,23 @@ HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->cr HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->get()Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->get()Ljava/lang/Object; HSPLcom/slack/circuit/star/di/CircuitModule_Companion_ProvideCircuitFactory;->provideCircuit(Ljava/util/Set;Ljava/util/Set;)Lcom/slack/circuit/foundation/Circuit; +PLcom/slack/circuit/star/di/CoilModule;->()V +PLcom/slack/circuit/star/di/CoilModule;->()V +PLcom/slack/circuit/star/di/CoilModule;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;Lcom/slack/circuit/star/data/StarAppDirs;)Lcoil3/ImageLoader; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$1;->(Lcom/slack/circuit/star/data/StarAppDirs;)V +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$1;->invoke()Lcoil3/disk/DiskCache; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$1;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$1;->(Ldagger/Lazy;)V +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$1;->invoke()Lcoil3/network/NetworkClient; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$1;->invoke()Ljava/lang/Object; +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$2;->()V +PLcom/slack/circuit/star/di/CoilModule$provideImageLoader$2$2;->()V +Lcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory; +HSPLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->(Ljavax/inject/Provider;Ljavax/inject/Provider;Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->create(Ljavax/inject/Provider;Ljavax/inject/Provider;Ljavax/inject/Provider;)Lcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory; +PLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->get()Lcoil3/ImageLoader; +PLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->get()Ljava/lang/Object; +PLcom/slack/circuit/star/di/CoilModule_ProvideImageLoaderFactory;->provideImageLoader(Landroid/content/Context;Ldagger/Lazy;Lcom/slack/circuit/star/data/StarAppDirs;)Lcoil3/ImageLoader; Lcom/slack/circuit/star/di/CommonAppComponent; Lcom/slack/circuit/star/di/DaggerAppComponent; HSPLcom/slack/circuit/star/di/DaggerAppComponent;->factory()Lcom/slack/circuit/star/di/AppComponent$Factory; @@ -14576,7 +15348,7 @@ Lcom/slack/circuit/star/home/HomeScreen$State; HSPLcom/slack/circuit/star/home/HomeScreen$State;->()V HSPLcom/slack/circuit/star/home/HomeScreen$State;->(Lkotlinx/collections/immutable/ImmutableList;ILkotlin/jvm/functions/Function1;)V HSPLcom/slack/circuit/star/home/HomeScreen$State;->(Lkotlinx/collections/immutable/ImmutableList;ILkotlin/jvm/functions/Function1;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcom/slack/circuit/star/home/HomeScreen$State;->equals(Ljava/lang/Object;)Z +HSPLcom/slack/circuit/star/home/HomeScreen$State;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/star/home/HomeScreen$State;->getNavItems()Lkotlinx/collections/immutable/ImmutableList; HSPLcom/slack/circuit/star/home/HomeScreen$State;->getSelectedIndex()I Lcom/slack/circuit/star/home/HomeScreenKt; @@ -14584,7 +15356,7 @@ HPLcom/slack/circuit/star/home/HomeScreenKt;->BottomNavigationBar(ILkotlin/jvm/f HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomeContent$lambda$4(Landroidx/compose/runtime/MutableState;)Z HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomeContent$lambda$5(Landroidx/compose/runtime/MutableState;Z)V HPLcom/slack/circuit/star/home/HomeScreenKt;->HomeContent(Lcom/slack/circuit/star/home/HomeScreen$State;Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;II)V -HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomePresenter$lambda$1(Landroidx/compose/runtime/MutableState;)I +HSPLcom/slack/circuit/star/home/HomeScreenKt;->HomePresenter$lambda$1(Landroidx/compose/runtime/MutableIntState;)I HPLcom/slack/circuit/star/home/HomeScreenKt;->HomePresenter(Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/home/HomeScreen$State; HSPLcom/slack/circuit/star/home/HomeScreenKt;->access$BottomNavigationBar(ILkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/star/home/HomeScreenKt;->access$HomeContent$lambda$4(Landroidx/compose/runtime/MutableState;)Z @@ -14603,8 +15375,6 @@ Lcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3; HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3;->(Lcom/slack/circuit/star/home/BottomNavItem;)V HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$1$1$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Lcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$2; -HSPLcom/slack/circuit/star/home/HomeScreenKt$BottomNavigationBar$2;->(ILkotlin/jvm/functions/Function1;I)V Lcom/slack/circuit/star/home/HomeScreenKt$HomeContent$1; HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$1;->(Lcom/slack/circuit/star/home/HomeScreen$State;)V HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$1;->invoke(Landroidx/compose/runtime/Composer;I)V @@ -14631,7 +15401,7 @@ HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$contentComposed$2;->invoke()Landroidx/compose/runtime/MutableState; HSPLcom/slack/circuit/star/home/HomeScreenKt$HomeContent$contentComposed$2;->invoke()Ljava/lang/Object; Lcom/slack/circuit/star/home/HomeScreenKt$HomePresenter$1$1; -HSPLcom/slack/circuit/star/home/HomeScreenKt$HomePresenter$1$1;->(Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/runtime/MutableState;)V +HSPLcom/slack/circuit/star/home/HomeScreenKt$HomePresenter$1$1;->(Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/runtime/MutableIntState;)V Lcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration; HSPLcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration;->(Lcom/slack/circuit/backstack/NavDecoration;)V @@ -14639,7 +15409,7 @@ HPLcom/slack/circuit/star/imageviewer/ImageViewerAwareNavDecoration;->DecoratedC Lcom/slack/circuit/star/imageviewer/ImageViewerFactory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->()V -PLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory;->create()Lcom/slack/circuit/star/imageviewer/ImageViewerFactory_Factory; @@ -14673,7 +15443,7 @@ HSPLcom/slack/circuit/star/petdetail/PetBioParser;->()V Lcom/slack/circuit/star/petdetail/PetDetailFactory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V -PLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->create()Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; @@ -14687,7 +15457,7 @@ Lcom/slack/circuit/star/petdetail/PetDetailPresenter$Factory; Lcom/slack/circuit/star/petdetail/PetDetailPresenterFactory; HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->(Lcom/slack/circuit/star/petdetail/PetDetailPresenter$Factory;)V -PLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory; HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/petdetail/PetDetailPresenterFactory_Factory; @@ -14700,6 +15470,7 @@ HSPLcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory;->create(Ljavax/ Lcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory_Impl; HSPLcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory_Impl;->(Lcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory;)V HSPLcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory_Impl;->createFactoryProvider(Lcom/slack/circuit/star/petdetail/PetDetailPresenter_Factory;)Ldagger/internal/Provider; +Lcom/slack/circuit/star/petdetail/PetDetailScreen; Lcom/slack/circuit/star/petdetail/PetPhotoCarouselFactory; HSPLcom/slack/circuit/star/petdetail/PetPhotoCarouselFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetPhotoCarouselFactory;->()V @@ -14755,21 +15526,52 @@ HSPLcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-4 Lcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-5$1; HSPLcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-5$1;->()V HSPLcom/slack/circuit/star/petlist/ComposableSingletons$PetListScreenKt$lambda-5$1;->()V +Lcom/slack/circuit/star/petlist/FilterUiFactory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory;->()V +HSPLcom/slack/circuit/star/petlist/FilterUiFactory;->()V +HSPLcom/slack/circuit/star/petlist/FilterUiFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->()V +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->create()Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->get()Lcom/slack/circuit/star/petlist/FilterUiFactory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->get()Ljava/lang/Object; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory;->newInstance()Lcom/slack/circuit/star/petlist/FilterUiFactory; +Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory$InstanceHolder; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory$InstanceHolder;->-$$Nest$sfgetINSTANCE()Lcom/slack/circuit/star/petlist/FilterUiFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FilterUiFactory_Factory$InstanceHolder;->()V Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/Filters;->()V HSPLcom/slack/circuit/star/petlist/Filters;->(Lkotlinx/collections/immutable/ImmutableSet;Lkotlinx/collections/immutable/ImmutableSet;)V HSPLcom/slack/circuit/star/petlist/Filters;->(Lkotlinx/collections/immutable/ImmutableSet;Lkotlinx/collections/immutable/ImmutableSet;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLcom/slack/circuit/star/petlist/Filters;->getGenders()Lkotlinx/collections/immutable/ImmutableSet; -HPLcom/slack/circuit/star/petlist/Filters;->getSizes()Lkotlinx/collections/immutable/ImmutableSet; +PLcom/slack/circuit/star/petlist/Filters;->getGenders()Lkotlinx/collections/immutable/ImmutableSet; +PLcom/slack/circuit/star/petlist/Filters;->getSizes()Lkotlinx/collections/immutable/ImmutableSet; Lcom/slack/circuit/star/petlist/Filters$Creator; HSPLcom/slack/circuit/star/petlist/Filters$Creator;->()V +Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory; +Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->()V +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->(Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory;)V +PLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->(Ljavax/inject/Provider;)V +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->get()Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->get()Ljava/lang/Object; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->newInstance(Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory;)Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; +Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory; +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory;->()V +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory;->create()Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory; +Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory_Impl; +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory_Impl;->(Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory;)V +HSPLcom/slack/circuit/star/petlist/FiltersPresenter_Factory_Impl;->createFactoryProvider(Lcom/slack/circuit/star/petlist/FiltersPresenter_Factory;)Ldagger/internal/Provider; +Lcom/slack/circuit/star/petlist/FiltersScreen; +Lcom/slack/circuit/star/petlist/FiltersScreen$Result; PLcom/slack/circuit/star/petlist/PetListAnimal;->()V HPLcom/slack/circuit/star/petlist/PetListAnimal;->(JLjava/lang/String;Ljava/lang/String;Ljava/lang/String;Lcom/slack/circuit/star/db/Gender;Lcom/slack/circuit/star/db/Size;Ljava/lang/String;)V -PLcom/slack/circuit/star/petlist/PetListAnimal;->equals(Ljava/lang/Object;)Z PLcom/slack/circuit/star/petlist/PetListAnimal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getBreed()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getGender()Lcom/slack/circuit/star/db/Gender; -PLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J +HPLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J PLcom/slack/circuit/star/petlist/PetListAnimal;->getImageUrl()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getName()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; @@ -14796,12 +15598,12 @@ HSPLcom/slack/circuit/star/petlist/PetListPresenter;->access$getPetRepo$p(Lcom/s HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$1(Landroidx/compose/runtime/MutableState;)Z HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$5(Landroidx/compose/runtime/State;)Ljava/util/List; PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$6(Landroidx/compose/runtime/MutableState;)Z -HPLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; +PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/CircuitUiState; HPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/petlist/PetListScreen$State; -HPLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z +PLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z Lcom/slack/circuit/star/petlist/PetListPresenter$Factory; -PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V +PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lcom/slack/circuit/runtime/GoToNavigator;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1; HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lkotlin/coroutines/Continuation;)V HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; @@ -14824,6 +15626,8 @@ HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;-> HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;->()V HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;->invoke()Landroidx/compose/runtime/MutableState; HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filters$2;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/star/petlist/PetListPresenter$present$filtersScreenNavigator$1$1; +HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$filtersScreenNavigator$1$1;->(Landroidx/compose/runtime/MutableState;Lkotlin/coroutines/Continuation;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$isUpdateFiltersModalShowing$2; HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$isUpdateFiltersModalShowing$2;->()V HSPLcom/slack/circuit/star/petlist/PetListPresenter$present$isUpdateFiltersModalShowing$2;->()V @@ -14869,6 +15673,7 @@ PLcom/slack/circuit/star/petlist/PetListScreen$State$Success;->getEventSink()Lko PLcom/slack/circuit/star/petlist/PetListScreen$State$Success;->isRefreshing()Z PLcom/slack/circuit/star/petlist/PetListScreen$State$Success;->isUpdateFiltersModalShowing()Z Lcom/slack/circuit/star/petlist/PetListScreenKt; +HPLcom/slack/circuit/star/petlist/PetListScreenKt;->CompositeIconButton(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HPLcom/slack/circuit/star/petlist/PetListScreenKt;->PetList(Lcom/slack/circuit/star/petlist/PetListScreen$State;Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/Composer;II)V HPLcom/slack/circuit/star/petlist/PetListScreenKt;->PetListGrid(Lkotlinx/collections/immutable/ImmutableList;ZLandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;II)V HPLcom/slack/circuit/star/petlist/PetListScreenKt;->PetListGridItem(Lcom/slack/circuit/star/petlist/PetListAnimal;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)V @@ -14884,10 +15689,11 @@ HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->(Lcom/sla HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$1$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V +PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3; HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->invoke(Landroidx/compose/foundation/layout/PaddingValues;Landroidx/compose/runtime/Composer;I)V -HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1;->(Lkotlinx/collections/immutable/ImmutableList;Lkotlin/jvm/functions/Function1;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1;->invoke(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridScope;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -14900,14 +15706,12 @@ HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1$2;->invoke(L PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$1$1$1$2$1$1;->(Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/star/petlist/PetListAnimal;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$2;->(Lkotlinx/collections/immutable/ImmutableList;ZLandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;II)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGrid$pullRefreshState$1$1;->(Lkotlin/jvm/functions/Function1;)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->(Lkotlin/jvm/functions/Function0;Ljava/lang/Object;Lcom/slack/circuit/star/petlist/PetListAnimal;)V +PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->(Lkotlin/jvm/functions/Function0;Lcom/slack/circuit/star/petlist/PetListAnimal;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->invoke(Landroidx/compose/foundation/layout/ColumnScope;Landroidx/compose/runtime/Composer;I)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1;->(Lkotlin/jvm/functions/Function0;)V -PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$2$1$2;->(Lcom/slack/circuit/star/petlist/PetListAnimal;)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$2$1$2;->invoke(Landroidx/compose/runtime/Composer;I)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$2$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$3;->(Lcom/slack/circuit/star/petlist/PetListAnimal;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function0;II)V +PLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1$2;->(Lcom/slack/circuit/star/petlist/PetListAnimal;)V +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1$2;->invoke(Landroidx/compose/runtime/Composer;I)V +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetListGridItem$2$1$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/repo/InjectedPetRepository; HSPLcom/slack/circuit/star/repo/InjectedPetRepository;->()V HSPLcom/slack/circuit/star/repo/InjectedPetRepository;->(Lcom/slack/circuit/star/db/SqlDriverFactory;Lcom/slack/circuit/star/data/PetfinderApi;)V @@ -15024,15 +15828,8 @@ Lcom/slack/circuitx/android/AndroidScreenAwareNavigatorKt; HSPLcom/slack/circuitx/android/AndroidScreenAwareNavigatorKt;->rememberAndroidScreenAwareNavigator(Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuitx/android/AndroidScreenStarter;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuitx/android/AndroidScreenStarter; Lcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt; -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt;->()V HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt;->GestureNavigationDecoration$default(Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function0;ILjava/lang/Object;)Lcom/slack/circuit/backstack/NavDecoration; HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt;->GestureNavigationDecoration(Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function0;)Lcom/slack/circuit/backstack/NavDecoration; -Lcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyLeft$1; -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyLeft$1;->()V -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyLeft$1;->()V -Lcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyRight$1; -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyRight$1;->()V -HSPLcom/slack/circuitx/gesturenavigation/GestureNavigationDecorationKt$SlightlyRight$1;->()V PLcom/slack/eithernet/AnnotationsKt;->createResultType(Ljava/lang/Class;Ljava/lang/Class;[Lcom/slack/eithernet/ResultType;Z)Lcom/slack/eithernet/ResultType; PLcom/slack/eithernet/AnnotationsKt;->createResultType(Ljava/lang/reflect/Type;)Lcom/slack/eithernet/ResultType; PLcom/slack/eithernet/AnnotationsKt$annotationImpl$com_slack_eithernet_ResultType$0;->(Lkotlin/reflect/KClass;[Lcom/slack/eithernet/ResultType;Lkotlin/reflect/KClass;Z)V @@ -15108,9 +15905,9 @@ PLcom/squareup/moshi/JsonReader$Token;->()V PLcom/squareup/moshi/JsonReader$Token;->(Ljava/lang/String;I)V PLcom/squareup/moshi/JsonUtf8Reader;->()V PLcom/squareup/moshi/JsonUtf8Reader;->(Lokio/BufferedSource;)V -HPLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V -HPLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V -PLcom/squareup/moshi/JsonUtf8Reader;->endArray()V +PLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V +PLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V +HPLcom/squareup/moshi/JsonUtf8Reader;->endArray()V HPLcom/squareup/moshi/JsonUtf8Reader;->endObject()V HPLcom/squareup/moshi/JsonUtf8Reader;->findName(Ljava/lang/String;Lcom/squareup/moshi/JsonReader$Options;)I HPLcom/squareup/moshi/JsonUtf8Reader;->hasNext()Z @@ -15121,14 +15918,15 @@ PLcom/squareup/moshi/JsonUtf8Reader;->nextLong()J HPLcom/squareup/moshi/JsonUtf8Reader;->nextName()Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->nextNonWhitespace(Z)I HPLcom/squareup/moshi/JsonUtf8Reader;->nextNull()Ljava/lang/Object; +HPLcom/squareup/moshi/JsonUtf8Reader;->nextQuotedValue(Lokio/ByteString;)Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->nextString()Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->peek()Lcom/squareup/moshi/JsonReader$Token; HPLcom/squareup/moshi/JsonUtf8Reader;->peekKeyword()I -PLcom/squareup/moshi/JsonUtf8Reader;->peekNumber()I +HPLcom/squareup/moshi/JsonUtf8Reader;->peekNumber()I HPLcom/squareup/moshi/JsonUtf8Reader;->promoteNameToValue()V HPLcom/squareup/moshi/JsonUtf8Reader;->readEscapeCharacter()C HPLcom/squareup/moshi/JsonUtf8Reader;->selectName(Lcom/squareup/moshi/JsonReader$Options;)I -PLcom/squareup/moshi/JsonUtf8Reader;->skipName()V +HPLcom/squareup/moshi/JsonUtf8Reader;->skipName()V HPLcom/squareup/moshi/JsonUtf8Reader;->skipQuotedValue(Lokio/ByteString;)V HPLcom/squareup/moshi/JsonUtf8Reader;->skipValue()V PLcom/squareup/moshi/JsonUtf8Writer;->()V @@ -15137,7 +15935,7 @@ PLcom/squareup/moshi/LinkedHashTreeMap;->()V PLcom/squareup/moshi/LinkedHashTreeMap;->()V HPLcom/squareup/moshi/LinkedHashTreeMap;->(Ljava/util/Comparator;)V HPLcom/squareup/moshi/LinkedHashTreeMap;->find(Ljava/lang/Object;Z)Lcom/squareup/moshi/LinkedHashTreeMap$Node; -HPLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/squareup/moshi/LinkedHashTreeMap;->rebalance(Lcom/squareup/moshi/LinkedHashTreeMap$Node;Z)V PLcom/squareup/moshi/LinkedHashTreeMap;->secondaryHash(I)I PLcom/squareup/moshi/LinkedHashTreeMap$1;->()V @@ -15331,7 +16129,7 @@ PLio/ktor/client/HttpClientKt$HttpClient$2;->(Lio/ktor/client/engine/HttpC PLio/ktor/client/call/HttpClientCall;->()V PLio/ktor/client/call/HttpClientCall;->(Lio/ktor/client/HttpClient;)V PLio/ktor/client/call/HttpClientCall;->(Lio/ktor/client/HttpClient;Lio/ktor/client/request/HttpRequestData;Lio/ktor/client/request/HttpResponseData;)V -PLio/ktor/client/call/HttpClientCall;->bodyNullable(Lio/ktor/util/reflect/TypeInfo;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/call/HttpClientCall;->bodyNullable(Lio/ktor/util/reflect/TypeInfo;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/call/HttpClientCall;->getAllowDoubleReceive()Z PLio/ktor/client/call/HttpClientCall;->getAttributes()Lio/ktor/util/Attributes; PLio/ktor/client/call/HttpClientCall;->getRequest()Lio/ktor/client/request/HttpRequest; @@ -15462,8 +16260,8 @@ PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->create(Ljava/lang/Ob PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invoke(Lio/ktor/utils/io/WriterScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Lokio/BufferedSource;Lio/ktor/client/request/HttpRequestData;)V -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Lokio/BufferedSource;Lio/ktor/client/request/HttpRequestData;)V +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/nio/ByteBuffer;)V PLio/ktor/client/engine/okhttp/OkUtilsKt;->execute(Lokhttp3/OkHttpClient;Lokhttp3/Request;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Headers;)Lio/ktor/http/Headers; @@ -15861,6 +16659,7 @@ PLio/ktor/client/statement/HttpStatement;->cleanup(Lio/ktor/client/statement/Htt HPLio/ktor/client/statement/HttpStatement;->execute(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/statement/HttpStatement;->executeUnsafe(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$cleanup$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V +PLio/ktor/client/statement/HttpStatement$cleanup$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$execute$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/statement/HttpStatement$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$executeUnsafe$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V @@ -15878,7 +16677,7 @@ PLio/ktor/events/EventDefinition;->()V PLio/ktor/events/Events;->()V PLio/ktor/events/Events;->raise(Lio/ktor/events/EventDefinition;Ljava/lang/Object;)V PLio/ktor/http/CodecsKt;->()V -HPLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; +PLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart$default(Ljava/lang/String;IILjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart(Ljava/lang/String;IILjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLQueryComponent$default(Ljava/lang/String;IIZLjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; @@ -15908,7 +16707,6 @@ PLio/ktor/http/HeadersBuilder;->build()Lio/ktor/http/Headers; HPLio/ktor/http/HeadersBuilder;->validateName(Ljava/lang/String;)V HPLio/ktor/http/HeadersBuilder;->validateValue(Ljava/lang/String;)V PLio/ktor/http/HeadersImpl;->(Ljava/util/Map;)V -PLio/ktor/http/HeadersKt;->headers(Lkotlin/jvm/functions/Function1;)Lio/ktor/http/Headers; PLio/ktor/http/HttpHeaders;->()V PLio/ktor/http/HttpHeaders;->()V HPLio/ktor/http/HttpHeaders;->checkHeaderName(Ljava/lang/String;)V @@ -15926,7 +16724,7 @@ PLio/ktor/http/HttpHeaders;->getLastModified()Ljava/lang/String; PLio/ktor/http/HttpHeaders;->getUnsafeHeadersList()Ljava/util/List; PLio/ktor/http/HttpHeaders;->getUserAgent()Ljava/lang/String; PLio/ktor/http/HttpHeadersKt;->access$isDelimiter(C)Z -HPLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z +PLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z PLio/ktor/http/HttpMessagePropertiesKt;->contentType(Lio/ktor/http/HttpMessageBuilder;)Lio/ktor/http/ContentType; PLio/ktor/http/HttpMethod;->()V PLio/ktor/http/HttpMethod;->(Ljava/lang/String;)V @@ -15938,6 +16736,7 @@ PLio/ktor/http/HttpMethod$Companion;->()V PLio/ktor/http/HttpMethod$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/http/HttpMethod$Companion;->getGet()Lio/ktor/http/HttpMethod; PLio/ktor/http/HttpMethod$Companion;->getHead()Lio/ktor/http/HttpMethod; +PLio/ktor/http/HttpMethod$Companion;->parse(Ljava/lang/String;)Lio/ktor/http/HttpMethod; PLio/ktor/http/HttpProtocolVersion;->()V PLio/ktor/http/HttpProtocolVersion;->(Ljava/lang/String;II)V PLio/ktor/http/HttpProtocolVersion;->access$getHTTP_2_0$cp()Lio/ktor/http/HttpProtocolVersion; @@ -15999,7 +16798,6 @@ PLio/ktor/http/HttpStatusCode;->access$getUpgradeRequired$cp()Lio/ktor/http/Http PLio/ktor/http/HttpStatusCode;->access$getUseProxy$cp()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCode;->access$getVariantAlsoNegotiates$cp()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCode;->access$getVersionNotSupported$cp()Lio/ktor/http/HttpStatusCode; -PLio/ktor/http/HttpStatusCode;->equals(Ljava/lang/Object;)Z PLio/ktor/http/HttpStatusCode;->getValue()I PLio/ktor/http/HttpStatusCode$Companion;->()V PLio/ktor/http/HttpStatusCode$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16057,7 +16855,6 @@ PLio/ktor/http/HttpStatusCode$Companion;->getUseProxy()Lio/ktor/http/HttpStatusC PLio/ktor/http/HttpStatusCode$Companion;->getVariantAlsoNegotiates()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCode$Companion;->getVersionNotSupported()Lio/ktor/http/HttpStatusCode; PLio/ktor/http/HttpStatusCodeKt;->allStatusCodes()Ljava/util/List; -PLio/ktor/http/HttpStatusCodeKt;->isSuccess(Lio/ktor/http/HttpStatusCode;)Z PLio/ktor/http/Parameters;->()V PLio/ktor/http/Parameters$Companion;->()V PLio/ktor/http/Parameters$Companion;->()V @@ -16077,7 +16874,7 @@ PLio/ktor/http/URLBuilder;->()V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;Z)V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/http/URLBuilder;->applyOrigin()V -HPLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; +PLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; PLio/ktor/http/URLBuilder;->buildString()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedParameters()Lio/ktor/http/ParametersBuilder; @@ -16087,7 +16884,7 @@ PLio/ktor/http/URLBuilder;->getEncodedUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getHost()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getPassword()Ljava/lang/String; -HPLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; +PLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; PLio/ktor/http/URLBuilder;->getPort()I PLio/ktor/http/URLBuilder;->getProtocol()Lio/ktor/http/URLProtocol; PLio/ktor/http/URLBuilder;->getTrailingQuery()Z @@ -16095,7 +16892,7 @@ PLio/ktor/http/URLBuilder;->getUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->setEncodedFragment(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setEncodedParameters(Lio/ktor/http/ParametersBuilder;)V PLio/ktor/http/URLBuilder;->setEncodedPassword(Ljava/lang/String;)V -PLio/ktor/http/URLBuilder;->setEncodedPathSegments(Ljava/util/List;)V +HPLio/ktor/http/URLBuilder;->setEncodedPathSegments(Ljava/util/List;)V PLio/ktor/http/URLBuilder;->setEncodedUser(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setHost(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setPort(I)V @@ -16167,7 +16964,7 @@ PLio/ktor/http/content/OutgoingContent;->getContentType()Lio/ktor/http/ContentTy PLio/ktor/http/content/OutgoingContent;->getHeaders()Lio/ktor/http/Headers; PLio/ktor/http/content/OutgoingContent$NoContent;->()V PLio/ktor/util/AttributeKey;->(Ljava/lang/String;)V -PLio/ktor/util/AttributeKey;->hashCode()I +HPLio/ktor/util/AttributeKey;->hashCode()I PLio/ktor/util/Attributes$DefaultImpls;->get(Lio/ktor/util/Attributes;Lio/ktor/util/AttributeKey;)Ljava/lang/Object; PLio/ktor/util/AttributesJvmBase;->()V PLio/ktor/util/AttributesJvmBase;->get(Lio/ktor/util/AttributeKey;)Ljava/lang/Object; @@ -16211,7 +17008,7 @@ HPLio/ktor/util/CollectionsKt;->caseInsensitiveMap()Ljava/util/Map; PLio/ktor/util/ConcurrentSafeAttributes;->()V PLio/ktor/util/ConcurrentSafeAttributes;->computeIfAbsent(Lio/ktor/util/AttributeKey;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/Map; -HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; +PLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor$default(Lkotlinx/coroutines/Job;ILjava/lang/Object;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor(Lkotlinx/coroutines/Job;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt$SilentSupervisor$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;)V @@ -16220,7 +17017,7 @@ PLio/ktor/util/DelegatingMutableSet;->access$getConvertTo$p(Lio/ktor/util/Delega PLio/ktor/util/DelegatingMutableSet;->access$getDelegate$p(Lio/ktor/util/DelegatingMutableSet;)Ljava/util/Set; HPLio/ktor/util/DelegatingMutableSet;->iterator()Ljava/util/Iterator; HPLio/ktor/util/DelegatingMutableSet$iterator$1;->(Lio/ktor/util/DelegatingMutableSet;)V -HPLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z +PLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z HPLio/ktor/util/DelegatingMutableSet$iterator$1;->next()Ljava/lang/Object; HPLio/ktor/util/Entry;->(Ljava/lang/Object;Ljava/lang/Object;)V HPLio/ktor/util/Entry;->getKey()Ljava/lang/Object; @@ -16243,11 +17040,11 @@ PLio/ktor/util/PlatformUtilsJvmKt;->isNewMemoryModel(Lio/ktor/util/PlatformUtils PLio/ktor/util/StringValues$DefaultImpls;->forEach(Lio/ktor/util/StringValues;Lkotlin/jvm/functions/Function2;)V PLio/ktor/util/StringValues$DefaultImpls;->get(Lio/ktor/util/StringValues;Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->(ZI)V -HPLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V +PLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl;->appendAll(Lio/ktor/util/StringValues;)V HPLio/ktor/util/StringValuesBuilderImpl;->appendAll(Ljava/lang/String;Ljava/lang/Iterable;)V HPLio/ktor/util/StringValuesBuilderImpl;->ensureListForKey(Ljava/lang/String;)Ljava/util/List; -HPLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; +PLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->get(Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->getAll(Ljava/lang/String;)Ljava/util/List; PLio/ktor/util/StringValuesBuilderImpl;->getCaseInsensitiveName()Z @@ -16277,7 +17074,7 @@ PLio/ktor/util/date/DateJvmKt;->GMTDate$default(Ljava/lang/Long;ILjava/lang/Obje PLio/ktor/util/date/DateJvmKt;->GMTDate(Ljava/lang/Long;)Lio/ktor/util/date/GMTDate; HPLio/ktor/util/date/DateJvmKt;->toDate(Ljava/util/Calendar;Ljava/lang/Long;)Lio/ktor/util/date/GMTDate; PLio/ktor/util/date/GMTDate;->()V -PLio/ktor/util/date/GMTDate;->(IIILio/ktor/util/date/WeekDay;IILio/ktor/util/date/Month;IJ)V +HPLio/ktor/util/date/GMTDate;->(IIILio/ktor/util/date/WeekDay;IILio/ktor/util/date/Month;IJ)V PLio/ktor/util/date/GMTDate;->getTimestamp()J PLio/ktor/util/date/GMTDate$Companion;->()V PLio/ktor/util/date/GMTDate$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16363,7 +17160,7 @@ PLio/ktor/util/reflect/TypeInfo;->getType()Lkotlin/reflect/KClass; PLio/ktor/util/reflect/TypeInfoJvmKt;->instanceOf(Ljava/lang/Object;Lkotlin/reflect/KClass;)Z PLio/ktor/util/reflect/TypeInfoJvmKt;->typeInfoImpl(Ljava/lang/reflect/Type;Lkotlin/reflect/KClass;Lkotlin/reflect/KType;)Lio/ktor/util/reflect/TypeInfo; PLio/ktor/utils/io/ByteBufferChannel;->()V -PLio/ktor/utils/io/ByteBufferChannel;->(ZLio/ktor/utils/io/pool/ObjectPool;I)V +HPLio/ktor/utils/io/ByteBufferChannel;->(ZLio/ktor/utils/io/pool/ObjectPool;I)V PLio/ktor/utils/io/ByteBufferChannel;->(ZLio/ktor/utils/io/pool/ObjectPool;IILkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/utils/io/ByteBufferChannel;->access$awaitFreeSpaceOrDelegate(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->access$flushImpl(Lio/ktor/utils/io/ByteBufferChannel;I)V @@ -16395,7 +17192,7 @@ PLio/ktor/utils/io/ByteBufferChannel;->getClosedCause()Ljava/lang/Throwable; PLio/ktor/utils/io/ByteBufferChannel;->getReadOp()Lkotlin/coroutines/Continuation; HPLio/ktor/utils/io/ByteBufferChannel;->getState()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesRead()J -PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J +HPLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J HPLio/ktor/utils/io/ByteBufferChannel;->getWriteOp()Lkotlin/coroutines/Continuation; PLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z HPLio/ktor/utils/io/ByteBufferChannel;->newBuffer()Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial; @@ -16403,7 +17200,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->prepareBuffer(Ljava/nio/ByteBuffer;II)V HPLio/ktor/utils/io/ByteBufferChannel;->read$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->read(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readBlockSuspend(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspendImpl(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/ByteBufferChannel;->resolveChannelInstance$ktor_io()Lio/ktor/utils/io/ByteBufferChannel; @@ -16419,8 +17216,8 @@ HPLio/ktor/utils/io/ByteBufferChannel;->setupStateForWrite$ktor_io()Ljava/nio/By PLio/ktor/utils/io/ByteBufferChannel;->shouldResumeReadOp()Z HPLio/ktor/utils/io/ByteBufferChannel;->suspensionForSize(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->tryReleaseBuffer(Z)Z -PLio/ktor/utils/io/ByteBufferChannel;->tryTerminate$ktor_io()Z -PLio/ktor/utils/io/ByteBufferChannel;->tryWriteSuspend$ktor_io(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel;->tryTerminate$ktor_io()Z +HPLio/ktor/utils/io/ByteBufferChannel;->tryWriteSuspend$ktor_io(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->write$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->write(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->writeAvailable(ILkotlin/jvm/functions/Function1;)I @@ -16433,17 +17230,17 @@ PLio/ktor/utils/io/ByteBufferChannel$attachJob$1;->(Lio/ktor/utils/io/Byte PLio/ktor/utils/io/ByteBufferChannel$attachJob$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$attachJob$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/ByteBufferChannel$awaitFreeSpaceOrDelegate$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$awaitFreeSpaceOrDelegate$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$awaitFreeSpaceOrDelegate$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$copyDirect$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V HPLio/ktor/utils/io/ByteBufferChannel$copyDirect$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$readBlockSuspend$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$readBlockSuspend$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$readBlockSuspend$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$readSuspendImpl$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V HPLio/ktor/utils/io/ByteBufferChannel$readSuspendImpl$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$write$1;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$write$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$write$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$writeSuspend$3;->(Lio/ktor/utils/io/ByteBufferChannel;Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/ByteBufferChannel$writeSuspend$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/ByteBufferChannel$writeSuspend$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel$writeSuspension$1;->(Lio/ktor/utils/io/ByteBufferChannel;)V PLio/ktor/utils/io/ByteBufferChannel$writeSuspension$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel$writeSuspension$1;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -16457,7 +17254,7 @@ PLio/ktor/utils/io/ChannelJob;->getChannel()Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/utils/io/ChannelJob;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; PLio/ktor/utils/io/ChannelScope;->(Lkotlinx/coroutines/CoroutineScope;Lio/ktor/utils/io/ByteChannel;)V PLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteChannel; -PLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteWriteChannel; +HPLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteWriteChannel; PLio/ktor/utils/io/ClosedWriteChannelException;->(Ljava/lang/String;)V PLio/ktor/utils/io/CoroutinesKt;->launchChannel(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lio/ktor/utils/io/ByteChannel;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/ChannelJob; PLio/ktor/utils/io/CoroutinesKt;->writer$default(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ZLkotlin/jvm/functions/Function2;ILjava/lang/Object;)Lio/ktor/utils/io/WriterJob; @@ -16467,7 +17264,7 @@ PLio/ktor/utils/io/CoroutinesKt$launchChannel$1;->invoke(Ljava/lang/Object;)Ljav PLio/ktor/utils/io/CoroutinesKt$launchChannel$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->(ZLio/ktor/utils/io/ByteChannel;Lkotlin/jvm/functions/Function2;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlin/coroutines/Continuation;)V PLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/CoroutinesKt$launchChannel$job$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/bits/DefaultAllocator;->()V PLio/ktor/utils/io/bits/DefaultAllocator;->()V PLio/ktor/utils/io/bits/Memory;->()V @@ -16536,14 +17333,18 @@ PLio/ktor/utils/io/core/internal/UnsafeKt;->()V PLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V +PLio/ktor/utils/io/internal/CancellableReusableContinuation;->access$notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Throwable;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->completeSuspendBlock(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLio/ktor/utils/io/internal/CancellableReusableContinuation;->notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->parent(Lkotlin/coroutines/CoroutineContext;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->resumeWith(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lkotlinx/coroutines/Job;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->dispose()V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->getJob()Lkotlinx/coroutines/Job; +PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->()V PLio/ktor/utils/io/internal/ClosedElement;->(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->access$getEmptyCause$cp()Lio/ktor/utils/io/internal/ClosedElement; @@ -16580,19 +17381,24 @@ PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWritingState$ktor_ PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->getReadBuffer()Ljava/nio/ByteBuffer; +PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; +PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getReadBuffer()Ljava/nio/ByteBuffer; +PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; +PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; +PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Terminated;->()V PLio/ktor/utils/io/internal/ReadWriteBufferState$Terminated;->()V PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V -PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->getWriteBuffer()Ljava/nio/ByteBuffer; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->()V PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->getEmptyByteBuffer()Ljava/nio/ByteBuffer; @@ -16602,19 +17408,19 @@ PLio/ktor/utils/io/internal/RingBufferCapacity;->(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeRead(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeWrite(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->flush()Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z PLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->resetForWrite()V -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtLeast(I)I -PLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtMost(I)I +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtLeast(I)I +HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryWriteAtMost(I)I PLio/ktor/utils/io/internal/UtilsKt;->getIOIntProperty(Ljava/lang/String;I)I -PLio/ktor/utils/io/internal/WriteSessionImpl;->(Lio/ktor/utils/io/ByteBufferChannel;)V +HPLio/ktor/utils/io/internal/WriteSessionImpl;->(Lio/ktor/utils/io/ByteBufferChannel;)V PLio/ktor/utils/io/jvm/nio/WritingKt;->copyTo$default(Lio/ktor/utils/io/ByteReadChannel;Ljava/nio/channels/WritableByteChannel;JLkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/jvm/nio/WritingKt;->copyTo(Lio/ktor/utils/io/ByteReadChannel;Ljava/nio/channels/WritableByteChannel;JLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$1;->(Lkotlin/coroutines/Continuation;)V -PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->(JLkotlin/jvm/internal/Ref$LongRef;Ljava/nio/channels/WritableByteChannel;)V PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/nio/ByteBuffer;)V @@ -16622,10 +17428,10 @@ PLio/ktor/utils/io/pool/DefaultPool;->()V PLio/ktor/utils/io/pool/DefaultPool;->(I)V PLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; PLio/ktor/utils/io/pool/DefaultPool;->clearInstance(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/utils/io/pool/DefaultPool;->popTop()I +HPLio/ktor/utils/io/pool/DefaultPool;->popTop()I HPLio/ktor/utils/io/pool/DefaultPool;->pushTop(I)V -PLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V -PLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; +HPLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V +HPLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->tryPush(Ljava/lang/Object;)Z PLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V Lio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0; @@ -16656,10 +17462,10 @@ HSPLkotlin/LazyThreadSafetyMode;->(Ljava/lang/String;I)V HSPLkotlin/LazyThreadSafetyMode;->values()[Lkotlin/LazyThreadSafetyMode; Lkotlin/Pair; HPLkotlin/Pair;->(Ljava/lang/Object;Ljava/lang/Object;)V -HPLkotlin/Pair;->component1()Ljava/lang/Object; -HPLkotlin/Pair;->component2()Ljava/lang/Object; -HPLkotlin/Pair;->getFirst()Ljava/lang/Object; -HSPLkotlin/Pair;->getSecond()Ljava/lang/Object; +HSPLkotlin/Pair;->component1()Ljava/lang/Object; +HSPLkotlin/Pair;->component2()Ljava/lang/Object; +HSPLkotlin/Pair;->getFirst()Ljava/lang/Object; +HPLkotlin/Pair;->getSecond()Ljava/lang/Object; Lkotlin/Result; HSPLkotlin/Result;->()V HPLkotlin/Result;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; @@ -16683,7 +17489,7 @@ HPLkotlin/TuplesKt;->to(Ljava/lang/Object;Ljava/lang/Object;)Lkotlin/Pair; Lkotlin/ULong; HSPLkotlin/ULong;->()V HPLkotlin/ULong;->constructor-impl(J)J -HSPLkotlin/ULong;->equals-impl0(JJ)Z +HPLkotlin/ULong;->equals-impl0(JJ)Z Lkotlin/ULong$Companion; HSPLkotlin/ULong$Companion;->()V HSPLkotlin/ULong$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16695,9 +17501,8 @@ HSPLkotlin/Unit;->()V HSPLkotlin/Unit;->()V Lkotlin/UnsafeLazyImpl; HPLkotlin/UnsafeLazyImpl;->(Lkotlin/jvm/functions/Function0;)V -HPLkotlin/UnsafeLazyImpl;->getValue()Ljava/lang/Object; Lkotlin/UnsignedKt; -HPLkotlin/UnsignedKt;->ulongToDouble(J)D +HSPLkotlin/UnsignedKt;->ulongToDouble(J)D Lkotlin/collections/AbstractCollection; HPLkotlin/collections/AbstractCollection;->()V HSPLkotlin/collections/AbstractCollection;->isEmpty()Z @@ -16781,22 +17586,25 @@ HSPLkotlin/collections/ArrayDeque$Companion;->()V HSPLkotlin/collections/ArrayDeque$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlin/collections/ArraysKt; Lkotlin/collections/ArraysKt__ArraysJVMKt; -PLkotlin/collections/ArraysKt__ArraysJVMKt;->copyOfRangeToIndexCheck(II)V +HSPLkotlin/collections/ArraysKt__ArraysJVMKt;->copyOfRangeToIndexCheck(II)V Lkotlin/collections/ArraysKt__ArraysKt; Lkotlin/collections/ArraysKt___ArraysJvmKt; HPLkotlin/collections/ArraysKt___ArraysJvmKt;->asList([Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([B[BIIIILjava/lang/Object;)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([F[FIIIILjava/lang/Object;)[F -HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([I[IIIIILjava/lang/Object;)[I +HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([I[IIIIILjava/lang/Object;)[I HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto$default([Ljava/lang/Object;[Ljava/lang/Object;IIIILjava/lang/Object;)[Ljava/lang/Object; HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([B[BIII)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([F[FIII)[F HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([I[IIII)[I HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyInto([Ljava/lang/Object;[Ljava/lang/Object;III)[Ljava/lang/Object; -PLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B +HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([Ljava/lang/Object;II)[Ljava/lang/Object; HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([IIIIILjava/lang/Object;)V +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([JJIIILjava/lang/Object;)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([IIII)V +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([JJII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([Ljava/lang/Object;Ljava/lang/Object;II)V PLkotlin/collections/ArraysKt___ArraysJvmKt;->plus([Ljava/lang/Object;Ljava/lang/Object;)[Ljava/lang/Object; PLkotlin/collections/ArraysKt___ArraysJvmKt;->sortWith([Ljava/lang/Object;Ljava/util/Comparator;)V @@ -16808,7 +17616,7 @@ PLkotlin/collections/ArraysKt___ArraysKt;->filterNotNullTo([Ljava/lang/Object;Lj PLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([I)I HPLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([Ljava/lang/Object;)I PLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([II)Ljava/lang/Integer; -PLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([Ljava/lang/Object;I)Ljava/lang/Object; +HPLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([Ljava/lang/Object;I)Ljava/lang/Object; PLkotlin/collections/ArraysKt___ArraysKt;->indexOf([II)I HSPLkotlin/collections/ArraysKt___ArraysKt;->indexOf([Ljava/lang/Object;Ljava/lang/Object;)I HPLkotlin/collections/ArraysKt___ArraysKt;->maxOrThrow([I)I @@ -16847,7 +17655,7 @@ Lkotlin/collections/CollectionsKt__IteratorsJVMKt; Lkotlin/collections/CollectionsKt__IteratorsKt; Lkotlin/collections/CollectionsKt__MutableCollectionsJVMKt; HSPLkotlin/collections/CollectionsKt__MutableCollectionsJVMKt;->sort(Ljava/util/List;)V -HSPLkotlin/collections/CollectionsKt__MutableCollectionsJVMKt;->sortWith(Ljava/util/List;Ljava/util/Comparator;)V +HPLkotlin/collections/CollectionsKt__MutableCollectionsJVMKt;->sortWith(Ljava/util/List;Ljava/util/Comparator;)V Lkotlin/collections/CollectionsKt__MutableCollectionsKt; HPLkotlin/collections/CollectionsKt__MutableCollectionsKt;->addAll(Ljava/util/Collection;Ljava/lang/Iterable;)Z HSPLkotlin/collections/CollectionsKt__MutableCollectionsKt;->addAll(Ljava/util/Collection;Lkotlin/sequences/Sequence;)Z @@ -16858,7 +17666,8 @@ Lkotlin/collections/CollectionsKt___CollectionsKt; PLkotlin/collections/CollectionsKt___CollectionsKt;->contains(Ljava/lang/Iterable;Ljava/lang/Object;)Z HPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/lang/Iterable;)Ljava/lang/Object; HSPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/util/List;)Ljava/lang/Object; -HSPLkotlin/collections/CollectionsKt___CollectionsKt;->firstOrNull(Ljava/util/List;)Ljava/lang/Object; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->firstOrNull(Ljava/util/List;)Ljava/lang/Object; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->getOrNull(Ljava/util/List;I)Ljava/lang/Object; PLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/lang/Iterable;Ljava/lang/Object;)I HSPLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/util/List;Ljava/lang/Object;)I PLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo$default(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/Appendable; @@ -16866,9 +17675,11 @@ HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo(Ljava/lang/Iterable HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString$default(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/String; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;)Ljava/lang/String; HPLkotlin/collections/CollectionsKt___CollectionsKt;->last(Ljava/util/List;)Ljava/lang/Object; +HSPLkotlin/collections/CollectionsKt___CollectionsKt;->lastOrNull(Ljava/util/List;)Ljava/lang/Object; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->minus(Ljava/lang/Iterable;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/lang/Iterable;Ljava/lang/Iterable;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Iterable;)Ljava/util/List; -PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Object;)Ljava/util/List; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->reversed(Ljava/lang/Iterable;)Ljava/util/List; HPLkotlin/collections/CollectionsKt___CollectionsKt;->singleOrNull(Ljava/util/List;)Ljava/lang/Object; PLkotlin/collections/CollectionsKt___CollectionsKt;->sortedDescending(Ljava/lang/Iterable;)Ljava/util/List; @@ -16885,34 +17696,36 @@ HSPLkotlin/collections/EmptyIterator;->hasNext()Z Lkotlin/collections/EmptyList; HSPLkotlin/collections/EmptyList;->()V HSPLkotlin/collections/EmptyList;->()V +HSPLkotlin/collections/EmptyList;->contains(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyList;->getSize()I HSPLkotlin/collections/EmptyList;->isEmpty()Z PLkotlin/collections/EmptyList;->iterator()Ljava/util/Iterator; HPLkotlin/collections/EmptyList;->size()I -PLkotlin/collections/EmptyList;->toArray()[Ljava/lang/Object; +HSPLkotlin/collections/EmptyList;->toArray()[Ljava/lang/Object; Lkotlin/collections/EmptyMap; HSPLkotlin/collections/EmptyMap;->()V HSPLkotlin/collections/EmptyMap;->()V HSPLkotlin/collections/EmptyMap;->containsKey(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyMap;->entrySet()Ljava/util/Set; PLkotlin/collections/EmptyMap;->equals(Ljava/lang/Object;)Z -HSPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; -HSPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Void; +HPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Void; HSPLkotlin/collections/EmptyMap;->getEntries()Ljava/util/Set; HSPLkotlin/collections/EmptyMap;->getKeys()Ljava/util/Set; HSPLkotlin/collections/EmptyMap;->getSize()I HSPLkotlin/collections/EmptyMap;->hashCode()I -HSPLkotlin/collections/EmptyMap;->isEmpty()Z +HPLkotlin/collections/EmptyMap;->isEmpty()Z HSPLkotlin/collections/EmptyMap;->keySet()Ljava/util/Set; -HSPLkotlin/collections/EmptyMap;->size()I +HPLkotlin/collections/EmptyMap;->size()I Lkotlin/collections/EmptySet; HSPLkotlin/collections/EmptySet;->()V HSPLkotlin/collections/EmptySet;->()V +PLkotlin/collections/EmptySet;->contains(Ljava/lang/Object;)Z PLkotlin/collections/EmptySet;->equals(Ljava/lang/Object;)Z PLkotlin/collections/EmptySet;->getSize()I PLkotlin/collections/EmptySet;->hashCode()I PLkotlin/collections/EmptySet;->isEmpty()Z -HSPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; +HPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; PLkotlin/collections/EmptySet;->size()I Lkotlin/collections/IntIterator; HPLkotlin/collections/IntIterator;->()V @@ -16922,6 +17735,7 @@ Lkotlin/collections/MapsKt__MapWithDefaultKt; HSPLkotlin/collections/MapsKt__MapWithDefaultKt;->getOrImplicitDefaultNullable(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/collections/MapsKt__MapsJVMKt; HSPLkotlin/collections/MapsKt__MapsJVMKt;->build(Ljava/util/Map;)Ljava/util/Map; +HSPLkotlin/collections/MapsKt__MapsJVMKt;->createMapBuilder()Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsJVMKt;->createMapBuilder(I)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsJVMKt;->mapCapacity(I)I PLkotlin/collections/MapsKt__MapsJVMKt;->mapOf(Lkotlin/Pair;)Ljava/util/Map; @@ -16929,14 +17743,14 @@ PLkotlin/collections/MapsKt__MapsJVMKt;->toSingletonMap(Ljava/util/Map;)Ljava/ut Lkotlin/collections/MapsKt__MapsKt; HPLkotlin/collections/MapsKt__MapsKt;->emptyMap()Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->getValue(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlin/collections/MapsKt__MapsKt;->mapOf([Lkotlin/Pair;)Ljava/util/Map; +HSPLkotlin/collections/MapsKt__MapsKt;->mapOf([Lkotlin/Pair;)Ljava/util/Map; PLkotlin/collections/MapsKt__MapsKt;->plus(Ljava/util/Map;Ljava/util/Map;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;Ljava/lang/Iterable;)V -HPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;[Lkotlin/Pair;)V +HSPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;[Lkotlin/Pair;)V HSPLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/lang/Iterable;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/lang/Iterable;Ljava/util/Map;)Ljava/util/Map; -PLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/util/Map;)Ljava/util/Map; -HPLkotlin/collections/MapsKt__MapsKt;->toMap([Lkotlin/Pair;Ljava/util/Map;)Ljava/util/Map; +HPLkotlin/collections/MapsKt__MapsKt;->toMap(Ljava/util/Map;)Ljava/util/Map; +HSPLkotlin/collections/MapsKt__MapsKt;->toMap([Lkotlin/Pair;Ljava/util/Map;)Ljava/util/Map; HPLkotlin/collections/MapsKt__MapsKt;->toMutableMap(Ljava/util/Map;)Ljava/util/Map; Lkotlin/collections/MapsKt___MapsJvmKt; Lkotlin/collections/MapsKt___MapsKt; @@ -16965,12 +17779,15 @@ HSPLkotlin/collections/builders/ListBuilder;->checkForComodification()V HSPLkotlin/collections/builders/ListBuilder;->checkIsMutable()V HSPLkotlin/collections/builders/ListBuilder;->ensureCapacityInternal(I)V HSPLkotlin/collections/builders/ListBuilder;->ensureExtraCapacity(I)V +HSPLkotlin/collections/builders/ListBuilder;->get(I)Ljava/lang/Object; HSPLkotlin/collections/builders/ListBuilder;->getSize()I HPLkotlin/collections/builders/ListBuilder;->insertAtInternal(II)V HSPLkotlin/collections/builders/ListBuilder;->isEffectivelyReadOnly()Z +HSPLkotlin/collections/builders/ListBuilder;->isEmpty()Z HSPLkotlin/collections/builders/ListBuilder;->iterator()Ljava/util/Iterator; HSPLkotlin/collections/builders/ListBuilder;->listIterator(I)Ljava/util/ListIterator; HSPLkotlin/collections/builders/ListBuilder;->registerModification()V +HSPLkotlin/collections/builders/ListBuilder;->toArray()[Ljava/lang/Object; Lkotlin/collections/builders/ListBuilder$Companion; HSPLkotlin/collections/builders/ListBuilder$Companion;->()V HSPLkotlin/collections/builders/ListBuilder$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16984,6 +17801,7 @@ HSPLkotlin/collections/builders/ListBuilderKt;->arrayOfUninitializedElements(I)[ HSPLkotlin/collections/builders/ListBuilderKt;->copyOfUninitializedElements([Ljava/lang/Object;I)[Ljava/lang/Object; Lkotlin/collections/builders/MapBuilder; HSPLkotlin/collections/builders/MapBuilder;->()V +HSPLkotlin/collections/builders/MapBuilder;->()V HSPLkotlin/collections/builders/MapBuilder;->(I)V HSPLkotlin/collections/builders/MapBuilder;->([Ljava/lang/Object;[Ljava/lang/Object;[I[III)V HSPLkotlin/collections/builders/MapBuilder;->access$getKeysArray$p(Lkotlin/collections/builders/MapBuilder;)[Ljava/lang/Object; @@ -16991,7 +17809,7 @@ HSPLkotlin/collections/builders/MapBuilder;->access$getLength$p(Lkotlin/collecti HSPLkotlin/collections/builders/MapBuilder;->access$getModCount$p(Lkotlin/collections/builders/MapBuilder;)I HSPLkotlin/collections/builders/MapBuilder;->access$getPresenceArray$p(Lkotlin/collections/builders/MapBuilder;)[I HSPLkotlin/collections/builders/MapBuilder;->access$getValuesArray$p(Lkotlin/collections/builders/MapBuilder;)[Ljava/lang/Object; -HSPLkotlin/collections/builders/MapBuilder;->addKey$kotlin_stdlib(Ljava/lang/Object;)I +HPLkotlin/collections/builders/MapBuilder;->addKey$kotlin_stdlib(Ljava/lang/Object;)I HSPLkotlin/collections/builders/MapBuilder;->allocateValuesArray()[Ljava/lang/Object; HSPLkotlin/collections/builders/MapBuilder;->build()Ljava/util/Map; HSPLkotlin/collections/builders/MapBuilder;->checkIsMutable$kotlin_stdlib()V @@ -17015,7 +17833,7 @@ HSPLkotlin/collections/builders/MapBuilder$Companion;->computeShift(I)I Lkotlin/collections/builders/MapBuilder$EntriesItr; HSPLkotlin/collections/builders/MapBuilder$EntriesItr;->(Lkotlin/collections/builders/MapBuilder;)V HSPLkotlin/collections/builders/MapBuilder$EntriesItr;->next()Ljava/lang/Object; -HSPLkotlin/collections/builders/MapBuilder$EntriesItr;->next()Lkotlin/collections/builders/MapBuilder$EntryRef; +HPLkotlin/collections/builders/MapBuilder$EntriesItr;->next()Lkotlin/collections/builders/MapBuilder$EntryRef; Lkotlin/collections/builders/MapBuilder$EntryRef; HSPLkotlin/collections/builders/MapBuilder$EntryRef;->(Lkotlin/collections/builders/MapBuilder;I)V HSPLkotlin/collections/builders/MapBuilder$EntryRef;->getKey()Ljava/lang/Object; @@ -17051,7 +17869,7 @@ PLkotlin/comparisons/ReverseOrderComparator;->compare(Ljava/lang/Object;Ljava/la Lkotlin/coroutines/AbstractCoroutineContextElement; HSPLkotlin/coroutines/AbstractCoroutineContextElement;->(Lkotlin/coroutines/CoroutineContext$Key;)V HPLkotlin/coroutines/AbstractCoroutineContextElement;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; -HSPLkotlin/coroutines/AbstractCoroutineContextElement;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; +HPLkotlin/coroutines/AbstractCoroutineContextElement;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLkotlin/coroutines/AbstractCoroutineContextElement;->getKey()Lkotlin/coroutines/CoroutineContext$Key; HSPLkotlin/coroutines/AbstractCoroutineContextElement;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HSPLkotlin/coroutines/AbstractCoroutineContextElement;->plus(Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; @@ -17122,6 +17940,7 @@ Lkotlin/coroutines/jvm/internal/ContinuationImpl; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/CoroutineContext;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->getContext()Lkotlin/coroutines/CoroutineContext; +HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->intercepted()Lkotlin/coroutines/Continuation; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->releaseIntercepted()V Lkotlin/coroutines/jvm/internal/CoroutineStackFrame; Lkotlin/coroutines/jvm/internal/DebugProbesKt; @@ -17165,7 +17984,7 @@ HSPLkotlin/internal/jdk8/JDK8PlatformImplementations$ReflectSdkVersion;->()V PLkotlin/io/CloseableKt;->closeFinally(Ljava/io/Closeable;Ljava/lang/Throwable;)V Lkotlin/jvm/JvmClassMappingKt; -HSPLkotlin/jvm/JvmClassMappingKt;->getJavaClass(Lkotlin/reflect/KClass;)Ljava/lang/Class; +PLkotlin/jvm/JvmClassMappingKt;->getJavaClass(Lkotlin/reflect/KClass;)Ljava/lang/Class; HPLkotlin/jvm/JvmClassMappingKt;->getJavaObjectType(Lkotlin/reflect/KClass;)Ljava/lang/Class; PLkotlin/jvm/JvmClassMappingKt;->getKotlinClass(Ljava/lang/Class;)Lkotlin/reflect/KClass; Lkotlin/jvm/functions/Function0; @@ -17192,8 +18011,7 @@ Lkotlin/jvm/functions/Function7; Lkotlin/jvm/functions/Function8; Lkotlin/jvm/functions/Function9; Lkotlin/jvm/internal/AdaptedFunctionReference; -HPLkotlin/jvm/internal/AdaptedFunctionReference;->(ILjava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -HSPLkotlin/jvm/internal/AdaptedFunctionReference;->equals(Ljava/lang/Object;)Z +HSPLkotlin/jvm/internal/AdaptedFunctionReference;->(ILjava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V PLkotlin/jvm/internal/ArrayIterator;->([Ljava/lang/Object;)V PLkotlin/jvm/internal/ArrayIterator;->hasNext()Z PLkotlin/jvm/internal/ArrayIterator;->next()Ljava/lang/Object; @@ -17209,9 +18027,9 @@ HSPLkotlin/jvm/internal/CallableReference$NoReceiver;->access$000()Lkotlin/jvm/i Lkotlin/jvm/internal/ClassBasedDeclarationContainer; Lkotlin/jvm/internal/ClassReference; HSPLkotlin/jvm/internal/ClassReference;->()V -HSPLkotlin/jvm/internal/ClassReference;->(Ljava/lang/Class;)V +HPLkotlin/jvm/internal/ClassReference;->(Ljava/lang/Class;)V PLkotlin/jvm/internal/ClassReference;->access$getFUNCTION_CLASSES$cp()Ljava/util/Map; -PLkotlin/jvm/internal/ClassReference;->equals(Ljava/lang/Object;)Z +HPLkotlin/jvm/internal/ClassReference;->equals(Ljava/lang/Object;)Z HSPLkotlin/jvm/internal/ClassReference;->getJClass()Ljava/lang/Class; HSPLkotlin/jvm/internal/ClassReference;->hashCode()I HPLkotlin/jvm/internal/ClassReference;->isInstance(Ljava/lang/Object;)Z @@ -17222,7 +18040,7 @@ HSPLkotlin/jvm/internal/ClassReference$Companion;->(Lkotlin/jvm/internal/D HPLkotlin/jvm/internal/ClassReference$Companion;->isInstance(Ljava/lang/Object;Ljava/lang/Class;)Z Lkotlin/jvm/internal/CollectionToArray; HSPLkotlin/jvm/internal/CollectionToArray;->()V -PLkotlin/jvm/internal/CollectionToArray;->toArray(Ljava/util/Collection;)[Ljava/lang/Object; +HSPLkotlin/jvm/internal/CollectionToArray;->toArray(Ljava/util/Collection;)[Ljava/lang/Object; HSPLkotlin/jvm/internal/CollectionToArray;->toArray(Ljava/util/Collection;[Ljava/lang/Object;)[Ljava/lang/Object; Lkotlin/jvm/internal/FloatCompanionObject; HSPLkotlin/jvm/internal/FloatCompanionObject;->()V @@ -17252,10 +18070,14 @@ HPLkotlin/jvm/internal/Intrinsics;->compare(II)I Lkotlin/jvm/internal/Lambda; HPLkotlin/jvm/internal/Lambda;->(I)V HPLkotlin/jvm/internal/Lambda;->getArity()I -PLkotlin/jvm/internal/MutablePropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -PLkotlin/jvm/internal/MutablePropertyReference1;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -PLkotlin/jvm/internal/MutablePropertyReference1Impl;->(Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V -PLkotlin/jvm/internal/PropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/MutablePropertyReference; +HSPLkotlin/jvm/internal/MutablePropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/MutablePropertyReference1; +HSPLkotlin/jvm/internal/MutablePropertyReference1;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/MutablePropertyReference1Impl; +HSPLkotlin/jvm/internal/MutablePropertyReference1Impl;->(Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V +Lkotlin/jvm/internal/PropertyReference; +HSPLkotlin/jvm/internal/PropertyReference;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V PLkotlin/jvm/internal/PropertyReference;->equals(Ljava/lang/Object;)Z PLkotlin/jvm/internal/PropertyReference0;->(Ljava/lang/Object;Ljava/lang/Class;Ljava/lang/String;Ljava/lang/String;I)V PLkotlin/jvm/internal/PropertyReference0;->invoke()Ljava/lang/Object; @@ -17272,10 +18094,12 @@ HPLkotlin/jvm/internal/Ref$ObjectRef;->()V Lkotlin/jvm/internal/Reflection; HSPLkotlin/jvm/internal/Reflection;->()V HSPLkotlin/jvm/internal/Reflection;->getOrCreateKotlinClass(Ljava/lang/Class;)Lkotlin/reflect/KClass; +HSPLkotlin/jvm/internal/Reflection;->mutableProperty1(Lkotlin/jvm/internal/MutablePropertyReference1;)Lkotlin/reflect/KMutableProperty1; PLkotlin/jvm/internal/Reflection;->typeOf(Ljava/lang/Class;)Lkotlin/reflect/KType; Lkotlin/jvm/internal/ReflectionFactory; HSPLkotlin/jvm/internal/ReflectionFactory;->()V HSPLkotlin/jvm/internal/ReflectionFactory;->getOrCreateKotlinClass(Ljava/lang/Class;)Lkotlin/reflect/KClass; +HSPLkotlin/jvm/internal/ReflectionFactory;->mutableProperty1(Lkotlin/jvm/internal/MutablePropertyReference1;)Lkotlin/reflect/KMutableProperty1; PLkotlin/jvm/internal/ReflectionFactory;->typeOf(Lkotlin/reflect/KClassifier;Ljava/util/List;Z)Lkotlin/reflect/KType; Lkotlin/jvm/internal/SpreadBuilder; HSPLkotlin/jvm/internal/SpreadBuilder;->(I)V @@ -17291,7 +18115,7 @@ PLkotlin/jvm/internal/TypeIntrinsics;->asMutableList(Ljava/lang/Object;)Ljava/ut HSPLkotlin/jvm/internal/TypeIntrinsics;->asMutableMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->asMutableSet(Ljava/lang/Object;)Ljava/util/Set; HPLkotlin/jvm/internal/TypeIntrinsics;->beforeCheckcastToFunctionOfArity(Ljava/lang/Object;I)Ljava/lang/Object; -PLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljava/util/Collection; +HPLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljava/util/Collection; PLkotlin/jvm/internal/TypeIntrinsics;->castToList(Ljava/lang/Object;)Ljava/util/List; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToSet(Ljava/lang/Object;)Ljava/util/Set; @@ -17386,7 +18210,7 @@ PLkotlin/ranges/LongProgression$Companion;->()V PLkotlin/ranges/LongProgression$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLkotlin/ranges/LongRange;->()V PLkotlin/ranges/LongRange;->(JJ)V -PLkotlin/ranges/LongRange;->contains(J)Z +HPLkotlin/ranges/LongRange;->contains(J)Z PLkotlin/ranges/LongRange$Companion;->()V PLkotlin/ranges/LongRange$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlin/ranges/OpenEndRange; @@ -17394,9 +18218,11 @@ Lkotlin/ranges/RangesKt; Lkotlin/ranges/RangesKt__RangesKt; PLkotlin/ranges/RangesKt__RangesKt;->checkStepIsPositive(ZLjava/lang/Number;)V Lkotlin/ranges/RangesKt___RangesKt; -HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(II)I +HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(FF)F +HPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(II)I HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtLeast(JJ)J PLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(DD)D +HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(FF)F HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(II)I HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(DDD)D HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(FFF)F @@ -17411,6 +18237,10 @@ Lkotlin/reflect/KClass; Lkotlin/reflect/KClassifier; Lkotlin/reflect/KDeclarationContainer; Lkotlin/reflect/KFunction; +Lkotlin/reflect/KMutableProperty; +Lkotlin/reflect/KMutableProperty1; +Lkotlin/reflect/KProperty; +Lkotlin/reflect/KProperty1; PLkotlin/reflect/TypesJVMKt;->computeJavaType$default(Lkotlin/reflect/KType;ZILjava/lang/Object;)Ljava/lang/reflect/Type; PLkotlin/reflect/TypesJVMKt;->computeJavaType(Lkotlin/reflect/KType;Z)Ljava/lang/reflect/Type; PLkotlin/reflect/TypesJVMKt;->getJavaType(Lkotlin/reflect/KType;)Ljava/lang/reflect/Type; @@ -17426,7 +18256,7 @@ HPLkotlin/sequences/FilteringSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/FilteringSequence$iterator$1; HPLkotlin/sequences/FilteringSequence$iterator$1;->(Lkotlin/sequences/FilteringSequence;)V HPLkotlin/sequences/FilteringSequence$iterator$1;->calcNext()V -HSPLkotlin/sequences/FilteringSequence$iterator$1;->hasNext()Z +HPLkotlin/sequences/FilteringSequence$iterator$1;->hasNext()Z HPLkotlin/sequences/FilteringSequence$iterator$1;->next()Ljava/lang/Object; Lkotlin/sequences/GeneratorSequence; HPLkotlin/sequences/GeneratorSequence;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function1;)V @@ -17452,7 +18282,7 @@ Lkotlin/sequences/SequencesKt__SequenceBuilderKt; HPLkotlin/sequences/SequencesKt__SequenceBuilderKt;->iterator(Lkotlin/jvm/functions/Function2;)Ljava/util/Iterator; HPLkotlin/sequences/SequencesKt__SequenceBuilderKt;->sequence(Lkotlin/jvm/functions/Function2;)Lkotlin/sequences/Sequence; PLkotlin/sequences/SequencesKt__SequenceBuilderKt$sequence$$inlined$Sequence$1;->(Lkotlin/jvm/functions/Function2;)V -HPLkotlin/sequences/SequencesKt__SequenceBuilderKt$sequence$$inlined$Sequence$1;->iterator()Ljava/util/Iterator; +PLkotlin/sequences/SequencesKt__SequenceBuilderKt$sequence$$inlined$Sequence$1;->iterator()Ljava/util/Iterator; Lkotlin/sequences/SequencesKt__SequencesJVMKt; Lkotlin/sequences/SequencesKt__SequencesKt; HSPLkotlin/sequences/SequencesKt__SequencesKt;->asSequence(Ljava/util/Iterator;)Lkotlin/sequences/Sequence; @@ -17471,6 +18301,7 @@ HPLkotlin/sequences/SequencesKt___SequencesKt;->filterNotNull(Lkotlin/sequences/ HPLkotlin/sequences/SequencesKt___SequencesKt;->firstOrNull(Lkotlin/sequences/Sequence;)Ljava/lang/Object; HSPLkotlin/sequences/SequencesKt___SequencesKt;->map(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)Lkotlin/sequences/Sequence; HPLkotlin/sequences/SequencesKt___SequencesKt;->mapNotNull(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)Lkotlin/sequences/Sequence; +PLkotlin/sequences/SequencesKt___SequencesKt;->toList(Lkotlin/sequences/Sequence;)Ljava/util/List; Lkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1; HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V @@ -17514,7 +18345,7 @@ HSPLkotlin/text/Regex;->()V HSPLkotlin/text/Regex;->(Ljava/lang/String;)V HSPLkotlin/text/Regex;->(Ljava/util/regex/Pattern;)V PLkotlin/text/Regex;->find(Ljava/lang/CharSequence;I)Lkotlin/text/MatchResult; -PLkotlin/text/Regex;->matches(Ljava/lang/CharSequence;)Z +HPLkotlin/text/Regex;->matches(Ljava/lang/CharSequence;)Z PLkotlin/text/Regex;->replace(Ljava/lang/CharSequence;Ljava/lang/String;)Ljava/lang/String; Lkotlin/text/Regex$Companion; HSPLkotlin/text/Regex$Companion;->()V @@ -17558,7 +18389,7 @@ HPLkotlin/text/StringsKt__StringsKt;->contains(Ljava/lang/CharSequence;Ljava/lan PLkotlin/text/StringsKt__StringsKt;->endsWith$default(Ljava/lang/CharSequence;Ljava/lang/CharSequence;ZILjava/lang/Object;)Z PLkotlin/text/StringsKt__StringsKt;->endsWith(Ljava/lang/CharSequence;Ljava/lang/CharSequence;Z)Z HPLkotlin/text/StringsKt__StringsKt;->getIndices(Ljava/lang/CharSequence;)Lkotlin/ranges/IntRange; -HSPLkotlin/text/StringsKt__StringsKt;->getLastIndex(Ljava/lang/CharSequence;)I +HPLkotlin/text/StringsKt__StringsKt;->getLastIndex(Ljava/lang/CharSequence;)I HPLkotlin/text/StringsKt__StringsKt;->indexOf$default(Ljava/lang/CharSequence;CIZILjava/lang/Object;)I HSPLkotlin/text/StringsKt__StringsKt;->indexOf$default(Ljava/lang/CharSequence;Ljava/lang/String;IZILjava/lang/Object;)I HPLkotlin/text/StringsKt__StringsKt;->indexOf(Ljava/lang/CharSequence;CIZ)I @@ -17584,14 +18415,15 @@ PLkotlin/text/StringsKt__StringsKt;->substringBefore(Ljava/lang/String;CLjava/la HPLkotlin/text/StringsKt__StringsKt;->trim(Ljava/lang/CharSequence;)Ljava/lang/CharSequence; Lkotlin/text/StringsKt___StringsJvmKt; Lkotlin/text/StringsKt___StringsKt; +HPLkotlin/text/StringsKt___StringsKt;->last(Ljava/lang/CharSequence;)C PLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; PLkotlin/time/Duration;->()V PLkotlin/time/Duration;->constructor-impl(J)J PLkotlin/time/Duration;->getInWholeDays-impl(J)J -PLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J +HPLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J PLkotlin/time/Duration;->getInWholeSeconds-impl(J)J PLkotlin/time/Duration;->getNanosecondsComponent-impl(J)I -PLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; +HPLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; PLkotlin/time/Duration;->getValue-impl(J)J PLkotlin/time/Duration;->isInMillis-impl(J)Z PLkotlin/time/Duration;->isInNanos-impl(J)Z @@ -17615,11 +18447,11 @@ PLkotlin/time/DurationUnit;->(Ljava/lang/String;ILjava/util/concurrent/Tim PLkotlin/time/DurationUnit;->getTimeUnit$kotlin_stdlib()Ljava/util/concurrent/TimeUnit; HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnit(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnitOverflow(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J -PLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J +HPLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/LongSaturatedMathKt;->saturatingFiniteDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/MonotonicTimeSource;->()V PLkotlin/time/MonotonicTimeSource;->()V -PLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J +HPLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J PLkotlin/time/MonotonicTimeSource;->markNow-z9LOYto()J PLkotlin/time/MonotonicTimeSource;->read()J PLkotlin/time/TimeSource$Monotonic;->()V @@ -17658,9 +18490,7 @@ Lkotlinx/collections/immutable/PersistentSet; Lkotlinx/collections/immutable/PersistentSet$Builder; Lkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator; HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->(II)V -PLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->checkHasNext$kotlinx_collections_immutable()V -HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getIndex()I -PLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getSize()I +HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->getIndex()I HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->hasNext()Z HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->setIndex(I)V Lkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList; @@ -17673,9 +18503,8 @@ HPLkotlinx/collections/immutable/implementations/immutableList/BufferIterator;-> PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->([Ljava/lang/Object;[Ljava/lang/Object;II)V HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->bufferFor(I)[Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->get(I)Ljava/lang/Object; -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->listIterator(I)Ljava/util/ListIterator; -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I +HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I +HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I Lkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->(Lkotlinx/collections/immutable/PersistentList;[Ljava/lang/Object;[Ljava/lang/Object;I)V HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->add(Ljava/lang/Object;)Z @@ -17691,8 +18520,6 @@ PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBu PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->rootSize()I HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->tailSize()I HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->tailSize(I)I -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorIterator;->([Ljava/lang/Object;[Ljava/lang/Object;III)V -PLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorIterator;->next()Ljava/lang/Object; Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->()V HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V @@ -17706,13 +18533,7 @@ Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVect HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->()V HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->getEMPTY()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->([Ljava/lang/Object;III)V -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->elementAtCurrentIndex()Ljava/lang/Object; -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->fillPath(II)V -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->fillPathIfNeeded(I)V -PLkotlinx/collections/immutable/implementations/immutableList/TrieIterator;->next()Ljava/lang/Object; Lkotlinx/collections/immutable/implementations/immutableList/UtilsKt; -PLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->indexSegment(II)I HPLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->persistentVectorOf()Lkotlinx/collections/immutable/PersistentList; PLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->rootSize(I)I Lkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap; @@ -17743,12 +18564,12 @@ HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$kotlinx_collections_immutable(I)I HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; +HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableUpdateValueAtIndex(ILjava/lang/Object;Lkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -18064,7 +18885,7 @@ Lkotlinx/coroutines/EventLoop; HSPLkotlinx/coroutines/EventLoop;->()V PLkotlinx/coroutines/EventLoop;->decrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V HPLkotlinx/coroutines/EventLoop;->decrementUseCount(Z)V -HPLkotlinx/coroutines/EventLoop;->delta(Z)J +HSPLkotlinx/coroutines/EventLoop;->delta(Z)J HPLkotlinx/coroutines/EventLoop;->dispatchUnconfined(Lkotlinx/coroutines/DispatchedTask;)V PLkotlinx/coroutines/EventLoop;->getNextTime()J HSPLkotlinx/coroutines/EventLoop;->incrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V @@ -18111,15 +18932,6 @@ HSPLkotlinx/coroutines/GlobalScope;->()V HSPLkotlinx/coroutines/GlobalScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/InactiveNodeList; Lkotlinx/coroutines/Incomplete; -PLkotlinx/coroutines/InterruptibleKt;->access$runInterruptibleInExpectedContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt;->runInterruptible$default(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt;->runInterruptible(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt;->runInterruptibleInExpectedContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->(Lkotlin/jvm/functions/Function0;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/InterruptibleKt$runInterruptible$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/InvokeOnCancel; HPLkotlinx/coroutines/InvokeOnCancel;->(Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/InvokeOnCancel;->invoke(Ljava/lang/Throwable;)V @@ -18167,7 +18979,7 @@ HPLkotlinx/coroutines/JobKt__JobKt;->Job(Lkotlinx/coroutines/Job;)Lkotlinx/corou HPLkotlinx/coroutines/JobKt__JobKt;->ensureActive(Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/JobKt__JobKt;->ensureActive(Lkotlinx/coroutines/Job;)V HPLkotlinx/coroutines/JobKt__JobKt;->getJob(Lkotlin/coroutines/CoroutineContext;)Lkotlinx/coroutines/Job; -PLkotlinx/coroutines/JobKt__JobKt;->isActive(Lkotlin/coroutines/CoroutineContext;)Z +HPLkotlinx/coroutines/JobKt__JobKt;->isActive(Lkotlin/coroutines/CoroutineContext;)Z Lkotlinx/coroutines/JobNode; HPLkotlinx/coroutines/JobNode;->()V HPLkotlinx/coroutines/JobNode;->dispose()V @@ -18267,7 +19079,7 @@ PLkotlinx/coroutines/JobSupport$Finishing;->isSealed()Z HPLkotlinx/coroutines/JobSupport$Finishing;->sealLocked(Ljava/lang/Throwable;)Ljava/util/List; HPLkotlinx/coroutines/JobSupport$Finishing;->setCompleting(Z)V HPLkotlinx/coroutines/JobSupport$Finishing;->setExceptionsHolder(Ljava/lang/Object;)V -HPLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V +PLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V Lkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1; HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/JobSupport;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->prepare(Ljava/lang/Object;)Ljava/lang/Object; @@ -18296,6 +19108,7 @@ Lkotlinx/coroutines/ParentJob; PLkotlinx/coroutines/ResumeAwaitOnCompletion;->(Lkotlinx/coroutines/CancellableContinuationImpl;)V HPLkotlinx/coroutines/ResumeAwaitOnCompletion;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/ResumeOnCompletion;->(Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/ResumeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/StandaloneCoroutine; HPLkotlinx/coroutines/StandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Z)V Lkotlinx/coroutines/SupervisorJobImpl; @@ -18310,11 +19123,6 @@ HSPLkotlinx/coroutines/ThreadLocalEventLoop;->()V HSPLkotlinx/coroutines/ThreadLocalEventLoop;->()V HPLkotlinx/coroutines/ThreadLocalEventLoop;->getEventLoop$kotlinx_coroutines_core()Lkotlinx/coroutines/EventLoop; PLkotlinx/coroutines/ThreadLocalEventLoop;->resetEventLoop$kotlinx_coroutines_core()V -PLkotlinx/coroutines/ThreadState;->()V -PLkotlinx/coroutines/ThreadState;->(Lkotlinx/coroutines/Job;)V -PLkotlinx/coroutines/ThreadState;->clearInterrupt()V -PLkotlinx/coroutines/ThreadState;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; -PLkotlinx/coroutines/ThreadState;->setup()V Lkotlinx/coroutines/Unconfined; HSPLkotlinx/coroutines/Unconfined;->()V HSPLkotlinx/coroutines/Unconfined;->()V @@ -18357,7 +19165,7 @@ Lkotlinx/coroutines/channels/BufferedChannel; HSPLkotlinx/coroutines/channels/BufferedChannel;->()V HPLkotlinx/coroutines/channels/BufferedChannel;->(ILkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/channels/BufferedChannel;->access$findSegmentReceive(Lkotlinx/coroutines/channels/BufferedChannel;JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HSPLkotlinx/coroutines/channels/BufferedChannel;->access$findSegmentSend(Lkotlinx/coroutines/channels/BufferedChannel;JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannel;->access$findSegmentSend(Lkotlinx/coroutines/channels/BufferedChannel;JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->access$getReceiveSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->access$getReceivers$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->access$getSendSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; @@ -18376,11 +19184,10 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->closeOrCancelImpl(Ljava/lang/Th PLkotlinx/coroutines/channels/BufferedChannel;->completeCancel(J)V PLkotlinx/coroutines/channels/BufferedChannel;->completeClose(J)Lkotlinx/coroutines/channels/ChannelSegment; PLkotlinx/coroutines/channels/BufferedChannel;->completeCloseOrCancel()V -HPLkotlinx/coroutines/channels/BufferedChannel;->dropFirstElementUntilTheSpecifiedCellIsInTheBuffer(J)V +HSPLkotlinx/coroutines/channels/BufferedChannel;->dropFirstElementUntilTheSpecifiedCellIsInTheBuffer(J)V HPLkotlinx/coroutines/channels/BufferedChannel;->expandBuffer()V -HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentBufferEnd(JLkotlinx/coroutines/channels/ChannelSegment;J)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEnd$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndCounter()J HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; @@ -18389,7 +19196,7 @@ PLkotlinx/coroutines/channels/BufferedChannel;->getCloseHandler$volatile$FU()Lja HPLkotlinx/coroutines/channels/BufferedChannel;->getCompletedExpandBuffersAndPauseFlag$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getReceiveSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getReceivers$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; -HPLkotlinx/coroutines/channels/BufferedChannel;->getReceiversCounter$kotlinx_coroutines_core()J +HSPLkotlinx/coroutines/channels/BufferedChannel;->getReceiversCounter$kotlinx_coroutines_core()J HPLkotlinx/coroutines/channels/BufferedChannel;->getSendSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getSendersAndCloseStatus$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getSendersCounter$kotlinx_coroutines_core()J @@ -18397,7 +19204,7 @@ PLkotlinx/coroutines/channels/BufferedChannel;->get_closeCause$volatile$FU()Ljav HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts$default(Lkotlinx/coroutines/channels/BufferedChannel;JILjava/lang/Object;)V HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts(J)V PLkotlinx/coroutines/channels/BufferedChannel;->invokeCloseHandler()V -HPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z +HSPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive0(J)Z PLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend()Z @@ -18414,7 +19221,7 @@ HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveDequeued()V HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveEnqueued()V HPLkotlinx/coroutines/channels/BufferedChannel;->prepareReceiverForSuspension(Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V HPLkotlinx/coroutines/channels/BufferedChannel;->receive$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLkotlinx/coroutines/channels/BufferedChannel;->receive(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/BufferedChannel;->receive(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->receiveOnNoWaiterSuspend(Lkotlinx/coroutines/channels/ChannelSegment;IJLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/channels/BufferedChannel;->removeUnprocessedElements(Lkotlinx/coroutines/channels/ChannelSegment;)V PLkotlinx/coroutines/channels/BufferedChannel;->resumeReceiverOnClosedChannel(Lkotlinx/coroutines/Waiter;)V @@ -18425,8 +19232,8 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->shouldSendSuspend(J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->tryReceive-PtdJZtk()Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->tryResumeReceiver(Ljava/lang/Object;Ljava/lang/Object;)Z HPLkotlinx/coroutines/channels/BufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBuffer(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z -HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBufferSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z +HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBuffer(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z +HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBufferSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellReceive(Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellSend(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I PLkotlinx/coroutines/channels/BufferedChannel;->updateCellSendSlow(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I @@ -18443,12 +19250,12 @@ HPLkotlinx/coroutines/channels/BufferedChannel$BufferedChannelIterator;->tryResu Lkotlinx/coroutines/channels/BufferedChannelKt; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->()V PLkotlinx/coroutines/channels/BufferedChannelKt;->access$constructSendersAndCloseStatus(JI)J -HSPLkotlinx/coroutines/channels/BufferedChannelKt;->access$createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt;->access$createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getCLOSE_HANDLER_CLOSED$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getDONE_RCV$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getEXPAND_BUFFER_COMPLETION_WAIT_ITERATIONS$p()I HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getFAILED$p()Lkotlinx/coroutines/internal/Symbol; -HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getINTERRUPTED_RCV$p()Lkotlinx/coroutines/internal/Symbol; +PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getINTERRUPTED_RCV$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getINTERRUPTED_SEND$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getIN_BUFFER$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNO_CLOSE_CAUSE$p()Lkotlinx/coroutines/internal/Symbol; @@ -18461,16 +19268,15 @@ HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getSUSPEND_NO_WAITER$p HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$initialBufferEnd(I)J HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$tryResume0(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Z PLkotlinx/coroutines/channels/BufferedChannelKt;->constructSendersAndCloseStatus(JI)J -HPLkotlinx/coroutines/channels/BufferedChannelKt;->createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannelKt;->createSegmentFunction()Lkotlin/reflect/KFunction; +PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegment(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegmentFunction()Lkotlin/reflect/KFunction; HPLkotlinx/coroutines/channels/BufferedChannelKt;->getCHANNEL_CLOSED()Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->initialBufferEnd(I)J HPLkotlinx/coroutines/channels/BufferedChannelKt;->tryResume0(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Z -Lkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1; -HSPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V -HSPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V -HSPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -HPLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/channels/Channel; HSPLkotlinx/coroutines/channels/Channel;->()V Lkotlinx/coroutines/channels/Channel$Factory; @@ -18491,8 +19297,8 @@ HPLkotlinx/coroutines/channels/ChannelKt;->Channel(ILkotlinx/coroutines/channels Lkotlinx/coroutines/channels/ChannelResult; HSPLkotlinx/coroutines/channels/ChannelResult;->()V HPLkotlinx/coroutines/channels/ChannelResult;->access$getFailed$cp()Lkotlinx/coroutines/channels/ChannelResult$Failed; -HPLkotlinx/coroutines/channels/ChannelResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/channels/ChannelResult;->isSuccess-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/channels/ChannelResult$Companion; HSPLkotlinx/coroutines/channels/ChannelResult$Companion;->()V @@ -18512,7 +19318,7 @@ HPLkotlinx/coroutines/channels/ChannelSegment;->getNumberOfSlots()I HPLkotlinx/coroutines/channels/ChannelSegment;->getState$kotlinx_coroutines_core(I)Ljava/lang/Object; HPLkotlinx/coroutines/channels/ChannelSegment;->onCancellation(ILjava/lang/Throwable;Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/channels/ChannelSegment;->onCancelledRequest(IZ)V -HPLkotlinx/coroutines/channels/ChannelSegment;->retrieveElement$kotlinx_coroutines_core(I)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelSegment;->retrieveElement$kotlinx_coroutines_core(I)Ljava/lang/Object; HPLkotlinx/coroutines/channels/ChannelSegment;->setElementLazy(ILjava/lang/Object;)V HPLkotlinx/coroutines/channels/ChannelSegment;->setState$kotlinx_coroutines_core(ILjava/lang/Object;)V HPLkotlinx/coroutines/channels/ChannelSegment;->storeElement$kotlinx_coroutines_core(ILjava/lang/Object;)V @@ -18521,7 +19327,8 @@ PLkotlinx/coroutines/channels/ChannelsKt__Channels_commonKt;->cancelConsumed(Lko Lkotlinx/coroutines/channels/ConflatedBufferedChannel; HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->(ILkotlinx/coroutines/channels/BufferOverflow;Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/channels/ConflatedBufferedChannel;->isConflatedDropOldest()Z -HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySendDropOldest-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/ConflatedBufferedChannel;->trySendImpl-Mj0NB7M(Ljava/lang/Object;Z)Ljava/lang/Object; Lkotlinx/coroutines/channels/ProduceKt; HSPLkotlinx/coroutines/channels/ProduceKt;->produce$default(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;Lkotlinx/coroutines/CoroutineStart;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;ILjava/lang/Object;)Lkotlinx/coroutines/channels/ReceiveChannel; @@ -18743,7 +19550,7 @@ PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invokeSuspend(Ljava Lkotlinx/coroutines/flow/StateFlow; Lkotlinx/coroutines/flow/StateFlowImpl; HSPLkotlinx/coroutines/flow/StateFlowImpl;->()V -HSPLkotlinx/coroutines/flow/StateFlowImpl;->(Ljava/lang/Object;)V +HPLkotlinx/coroutines/flow/StateFlowImpl;->(Ljava/lang/Object;)V HPLkotlinx/coroutines/flow/StateFlowImpl;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/StateFlowImpl;->compareAndSet(Ljava/lang/Object;Ljava/lang/Object;)Z HSPLkotlinx/coroutines/flow/StateFlowImpl;->createSlot()Lkotlinx/coroutines/flow/StateFlowSlot; @@ -18780,7 +19587,7 @@ Lkotlinx/coroutines/flow/internal/AbortFlowException; PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Lkotlinx/coroutines/flow/FlowCollector;)V HPLkotlinx/coroutines/flow/internal/AbortFlowException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/AbstractSharedFlow; -HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V +HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getNCollectors(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)I PLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getSlots(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)[Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->allocateSlot()Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; @@ -18906,15 +19713,15 @@ HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->findSegmentInternal(Lkot Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)V -HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; +HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->cleanPrev()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNext()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNextOrClosed()Ljava/lang/Object; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getPrev()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; -HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; +HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_prev$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->markAsClosed()Z -HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->trySetNext(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Z +PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->trySetNext(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Z Lkotlinx/coroutines/internal/ContextScope; HPLkotlinx/coroutines/internal/ContextScope;->(Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/internal/ContextScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -18952,7 +19759,7 @@ PLkotlinx/coroutines/internal/InlineList;->plus-FjFbRPM(Ljava/lang/Object;Ljava/ Lkotlinx/coroutines/internal/LimitedDispatcher; HSPLkotlinx/coroutines/internal/LimitedDispatcher;->()V HSPLkotlinx/coroutines/internal/LimitedDispatcher;->(Lkotlinx/coroutines/CoroutineDispatcher;I)V -PLkotlinx/coroutines/internal/LimitedDispatcher;->access$obtainTaskOrDeallocateWorker(Lkotlinx/coroutines/internal/LimitedDispatcher;)Ljava/lang/Runnable; +HPLkotlinx/coroutines/internal/LimitedDispatcher;->access$obtainTaskOrDeallocateWorker(Lkotlinx/coroutines/internal/LimitedDispatcher;)Ljava/lang/Runnable; HPLkotlinx/coroutines/internal/LimitedDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V HPLkotlinx/coroutines/internal/LimitedDispatcher;->getRunningWorkers$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/internal/LimitedDispatcher;->obtainTaskOrDeallocateWorker()Ljava/lang/Runnable; @@ -18971,7 +19778,6 @@ HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->()V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->addOneIfEmpty(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Z -HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->correctPrev(Lkotlinx/coroutines/internal/OpDescriptor;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; PLkotlinx/coroutines/internal/LockFreeLinkedListNode;->findPrevNonRemoved(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->getNext()Ljava/lang/Object; @@ -19008,7 +19814,7 @@ Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->updateHead(JI)J -HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->updateTail(JI)J +HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->updateTail(JI)J HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->wo(JJ)J Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Placeholder; Lkotlinx/coroutines/internal/MainDispatcherFactory; @@ -19035,15 +19841,14 @@ PLkotlinx/coroutines/internal/ScopeCoroutine;->isScopedCoroutine()Z Lkotlinx/coroutines/internal/Segment; HSPLkotlinx/coroutines/internal/Segment;->()V HPLkotlinx/coroutines/internal/Segment;->(JLkotlinx/coroutines/internal/Segment;I)V -HPLkotlinx/coroutines/internal/Segment;->decPointers$kotlinx_coroutines_core()Z +PLkotlinx/coroutines/internal/Segment;->decPointers$kotlinx_coroutines_core()Z HPLkotlinx/coroutines/internal/Segment;->getCleanedAndPointers$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; -HPLkotlinx/coroutines/internal/Segment;->isRemoved()Z +PLkotlinx/coroutines/internal/Segment;->isRemoved()Z HPLkotlinx/coroutines/internal/Segment;->onSlotCleaned()V -HPLkotlinx/coroutines/internal/Segment;->tryIncPointers$kotlinx_coroutines_core()Z -Lkotlinx/coroutines/internal/SegmentOrClosed; -HSPLkotlinx/coroutines/internal/SegmentOrClosed;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; -HPLkotlinx/coroutines/internal/SegmentOrClosed;->isClosed-impl(Ljava/lang/Object;)Z +PLkotlinx/coroutines/internal/Segment;->tryIncPointers$kotlinx_coroutines_core()Z +PLkotlinx/coroutines/internal/SegmentOrClosed;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; +PLkotlinx/coroutines/internal/SegmentOrClosed;->isClosed-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/internal/Symbol;->(Ljava/lang/String;)V Lkotlinx/coroutines/internal/SystemPropsKt; @@ -19104,7 +19909,7 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->getParkedWorkersStack$vola HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->get_isTerminated$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->isTerminated()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackNextIndex(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)I -HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPush(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Z PLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackTopUpdate(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;II)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->runSafely(Lkotlinx/coroutines/scheduling/Task;)V @@ -19126,24 +19931,23 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->afterTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->beforeTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->executeTask(Lkotlinx/coroutines/scheduling/Task;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->findAnyTask(Z)Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->findBlockingTask()Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->findTask(Z)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getIndexInArray()I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getNextParkedWorker()Ljava/lang/Object; -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getWorkerCtl$volatile$FU$kotlinx_coroutines_core()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->getWorkerCtl$volatile$FU$kotlinx_coroutines_core()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->idleReset(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->inStack()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->nextInt(I)I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->park()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->pollGlobalQueues()Lkotlinx/coroutines/scheduling/Task; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->run()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setNextParkedWorker(Ljava/lang/Object;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryAcquireCpuPermit()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryPark()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryReleaseCpu(Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;)Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->trySteal(I)Lkotlinx/coroutines/scheduling/Task; -PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->$values()[Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->()V @@ -19161,7 +19965,7 @@ HSPLkotlinx/coroutines/scheduling/GlobalQueue;->()V Lkotlinx/coroutines/scheduling/NanoTimeSource; HSPLkotlinx/coroutines/scheduling/NanoTimeSource;->()V HSPLkotlinx/coroutines/scheduling/NanoTimeSource;->()V -HSPLkotlinx/coroutines/scheduling/NanoTimeSource;->nanoTime()J +HPLkotlinx/coroutines/scheduling/NanoTimeSource;->nanoTime()J Lkotlinx/coroutines/scheduling/SchedulerCoroutineDispatcher; HSPLkotlinx/coroutines/scheduling/SchedulerCoroutineDispatcher;->(IIJLjava/lang/String;)V HSPLkotlinx/coroutines/scheduling/SchedulerCoroutineDispatcher;->createScheduler()Lkotlinx/coroutines/scheduling/CoroutineScheduler; @@ -19198,7 +20002,10 @@ HPLkotlinx/coroutines/scheduling/WorkQueue;->getConsumerIndex$volatile$FU()Ljava HPLkotlinx/coroutines/scheduling/WorkQueue;->getLastScheduledTask$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/scheduling/WorkQueue;->getProducerIndex$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/WorkQueue;->poll()Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->pollBlocking()Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->pollBuffer()Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->pollWithExclusiveMode(Z)Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->stealWithExclusiveMode(I)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->trySteal(ILkotlin/jvm/internal/Ref$ObjectRef;)J HPLkotlinx/coroutines/scheduling/WorkQueue;->tryStealLastScheduled(ILkotlin/jvm/internal/Ref$ObjectRef;)J Lkotlinx/coroutines/selects/SelectInstance; @@ -19208,13 +20015,21 @@ PLkotlinx/coroutines/sync/Mutex$DefaultImpls;->unlock$default(Lkotlinx/coroutine Lkotlinx/coroutines/sync/MutexImpl; HSPLkotlinx/coroutines/sync/MutexImpl;->()V HPLkotlinx/coroutines/sync/MutexImpl;->(Z)V +PLkotlinx/coroutines/sync/MutexImpl;->access$getOwner$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/sync/MutexImpl;->getOwner$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/sync/MutexImpl;->isLocked()Z PLkotlinx/coroutines/sync/MutexImpl;->lock$suspendImpl(Lkotlinx/coroutines/sync/MutexImpl;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->lock(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/MutexImpl;->lockSuspend(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->tryLock(Ljava/lang/Object;)Z PLkotlinx/coroutines/sync/MutexImpl;->tryLockImpl(Ljava/lang/Object;)I -PLkotlinx/coroutines/sync/MutexImpl;->unlock(Ljava/lang/Object;)V +HPLkotlinx/coroutines/sync/MutexImpl;->unlock(Ljava/lang/Object;)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/CancellableContinuationImpl;Ljava/lang/Object;)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->completeResume(Ljava/lang/Object;)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +HPLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner$tryResume$token$1;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;)V Lkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1; HPLkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1;->(Lkotlinx/coroutines/sync/MutexImpl;)V Lkotlinx/coroutines/sync/MutexKt; @@ -19229,8 +20044,9 @@ HPLkotlinx/coroutines/sync/SemaphoreImpl;->(II)V PLkotlinx/coroutines/sync/SemaphoreImpl;->access$addAcquireToQueue(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire$suspendImpl(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlinx/coroutines/CancellableContinuation;)V PLkotlinx/coroutines/sync/SemaphoreImpl;->acquireSlowPath(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/sync/SemaphoreImpl;->addAcquireToQueue(Lkotlinx/coroutines/Waiter;)Z +HPLkotlinx/coroutines/sync/SemaphoreImpl;->addAcquireToQueue(Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->decPermits()I PLkotlinx/coroutines/sync/SemaphoreImpl;->getAvailablePermits()I PLkotlinx/coroutines/sync/SemaphoreImpl;->getDeqIdx$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; @@ -19241,7 +20057,7 @@ PLkotlinx/coroutines/sync/SemaphoreImpl;->get_availablePermits$volatile$FU()Ljav PLkotlinx/coroutines/sync/SemaphoreImpl;->release()V PLkotlinx/coroutines/sync/SemaphoreImpl;->tryAcquire()Z PLkotlinx/coroutines/sync/SemaphoreImpl;->tryResumeAcquire(Ljava/lang/Object;)Z -PLkotlinx/coroutines/sync/SemaphoreImpl;->tryResumeNextFromQueue()Z +HPLkotlinx/coroutines/sync/SemaphoreImpl;->tryResumeNextFromQueue()Z PLkotlinx/coroutines/sync/SemaphoreImpl$addAcquireToQueue$createNewSegment$1;->()V PLkotlinx/coroutines/sync/SemaphoreImpl$addAcquireToQueue$createNewSegment$1;->()V Lkotlinx/coroutines/sync/SemaphoreImpl$onCancellationRelease$1; @@ -19292,8 +20108,38 @@ PLokhttp3/Authenticator;->()V PLokhttp3/Authenticator$Companion;->()V PLokhttp3/Authenticator$Companion;->()V PLokhttp3/Authenticator$Companion$AuthenticatorNone;->()V +PLokhttp3/Cache;->()V +PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;)V +PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;Lokhttp3/internal/concurrent/TaskRunner;)V +PLokhttp3/Cache;->get$okhttp(Lokhttp3/Request;)Lokhttp3/Response; +PLokhttp3/Cache;->getWriteSuccessCount$okhttp()I +PLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; +PLokhttp3/Cache;->remove$okhttp(Lokhttp3/Request;)V +PLokhttp3/Cache;->setWriteSuccessCount$okhttp(I)V +PLokhttp3/Cache;->trackResponse$okhttp(Lokhttp3/internal/cache/CacheStrategy;)V +PLokhttp3/Cache$Companion;->()V +PLokhttp3/Cache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/Cache$Companion;->hasVaryAll(Lokhttp3/Response;)Z +PLokhttp3/Cache$Companion;->key(Lokhttp3/HttpUrl;)Ljava/lang/String; +PLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; +PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Headers;Lokhttp3/Headers;)Lokhttp3/Headers; +PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Response;)Lokhttp3/Headers; +PLokhttp3/Cache$Entry;->()V +PLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V +PLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V +HPLokhttp3/Cache$Entry;->writeTo(Lokhttp3/internal/cache/DiskLruCache$Editor;)V +PLokhttp3/Cache$Entry$Companion;->()V +PLokhttp3/Cache$Entry$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/Cache$RealCacheRequest;->(Lokhttp3/Cache;Lokhttp3/internal/cache/DiskLruCache$Editor;)V +PLokhttp3/Cache$RealCacheRequest;->access$getEditor$p(Lokhttp3/Cache$RealCacheRequest;)Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/Cache$RealCacheRequest;->body()Lokio/Sink; +PLokhttp3/Cache$RealCacheRequest;->getDone()Z +PLokhttp3/Cache$RealCacheRequest;->setDone(Z)V +PLokhttp3/Cache$RealCacheRequest$1;->(Lokhttp3/Cache;Lokhttp3/Cache$RealCacheRequest;Lokio/Sink;)V +PLokhttp3/Cache$RealCacheRequest$1;->close()V PLokhttp3/CacheControl;->()V -PLokhttp3/CacheControl;->(ZZIIZZZIIZZZLjava/lang/String;)V +HPLokhttp3/CacheControl;->(ZZIIZZZIIZZZLjava/lang/String;)V +PLokhttp3/CacheControl;->noStore()Z PLokhttp3/CacheControl;->onlyIfCached()Z PLokhttp3/CacheControl$Builder;->()V PLokhttp3/CacheControl$Builder;->build()Lokhttp3/CacheControl; @@ -19321,6 +20167,7 @@ PLokhttp3/CertificatePinner;->(Ljava/util/Set;Lokhttp3/internal/tls/Certif PLokhttp3/CertificatePinner;->check$okhttp(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V PLokhttp3/CertificatePinner;->equals(Ljava/lang/Object;)Z PLokhttp3/CertificatePinner;->findMatchingPins(Ljava/lang/String;)Ljava/util/List; +PLokhttp3/CertificatePinner;->getCertificateChainCleaner$okhttp()Lokhttp3/internal/tls/CertificateChainCleaner; PLokhttp3/CertificatePinner;->hashCode()I PLokhttp3/CertificatePinner;->withCertificateChainCleaner$okhttp(Lokhttp3/internal/tls/CertificateChainCleaner;)Lokhttp3/CertificatePinner; PLokhttp3/CertificatePinner$Builder;->()V @@ -19402,6 +20249,7 @@ PLokhttp3/Dns$Companion$DnsSystem;->()V PLokhttp3/Dns$Companion$DnsSystem;->lookup(Ljava/lang/String;)Ljava/util/List; PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->()V +PLokhttp3/EventListener;->cacheMiss(Lokhttp3/Call;)V PLokhttp3/EventListener;->callEnd(Lokhttp3/Call;)V PLokhttp3/EventListener;->callFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->callStart(Lokhttp3/Call;)V @@ -19445,17 +20293,22 @@ PLokhttp3/Handshake;->()V PLokhttp3/Handshake;->(Lokhttp3/TlsVersion;Lokhttp3/CipherSuite;Ljava/util/List;Lkotlin/jvm/functions/Function0;)V PLokhttp3/Handshake;->cipherSuite()Lokhttp3/CipherSuite; PLokhttp3/Handshake;->localCertificates()Ljava/util/List; +PLokhttp3/Handshake;->peerCertificates()Ljava/util/List; PLokhttp3/Handshake;->tlsVersion()Lokhttp3/TlsVersion; PLokhttp3/Handshake$Companion;->()V PLokhttp3/Handshake$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/Handshake$Companion;->get(Ljavax/net/ssl/SSLSession;)Lokhttp3/Handshake; PLokhttp3/Handshake$Companion;->toImmutableList([Ljava/security/cert/Certificate;)Ljava/util/List; PLokhttp3/Handshake$Companion$handshake$1;->(Ljava/util/List;)V +PLokhttp3/Handshake$Companion$handshake$1;->invoke()Ljava/lang/Object; +PLokhttp3/Handshake$Companion$handshake$1;->invoke()Ljava/util/List; PLokhttp3/Handshake$peerCertificates$2;->(Lkotlin/jvm/functions/Function0;)V +PLokhttp3/Handshake$peerCertificates$2;->invoke()Ljava/lang/Object; +PLokhttp3/Handshake$peerCertificates$2;->invoke()Ljava/util/List; Lokhttp3/Headers; HSPLokhttp3/Headers;->()V HPLokhttp3/Headers;->([Ljava/lang/String;)V -PLokhttp3/Headers;->get(Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/Headers;->get(Ljava/lang/String;)Ljava/lang/String; PLokhttp3/Headers;->getNamesAndValues$okhttp()[Ljava/lang/String; PLokhttp3/Headers;->name(I)Ljava/lang/String; PLokhttp3/Headers;->newBuilder()Lokhttp3/Headers$Builder; @@ -19466,7 +20319,7 @@ HPLokhttp3/Headers$Builder;->()V PLokhttp3/Headers$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/Headers$Builder;->addLenient$okhttp(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; PLokhttp3/Headers$Builder;->build()Lokhttp3/Headers; -PLokhttp3/Headers$Builder;->getNamesAndValues$okhttp()Ljava/util/List; +HPLokhttp3/Headers$Builder;->getNamesAndValues$okhttp()Ljava/util/List; PLokhttp3/Headers$Builder;->removeAll(Ljava/lang/String;)Lokhttp3/Headers$Builder; PLokhttp3/Headers$Builder;->set(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; Lokhttp3/Headers$Companion; @@ -19585,6 +20438,7 @@ PLokhttp3/OkHttpClient$Builder;->()V PLokhttp3/OkHttpClient$Builder;->(Lokhttp3/OkHttpClient;)V PLokhttp3/OkHttpClient$Builder;->addInterceptor(Lokhttp3/Interceptor;)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->build()Lokhttp3/OkHttpClient; +PLokhttp3/OkHttpClient$Builder;->cache(Lokhttp3/Cache;)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->dispatcher(Lokhttp3/Dispatcher;)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->followRedirects(Z)Lokhttp3/OkHttpClient$Builder; PLokhttp3/OkHttpClient$Builder;->followSslRedirects(Z)Lokhttp3/OkHttpClient$Builder; @@ -19644,7 +20498,7 @@ PLokhttp3/Request;->method()Ljava/lang/String; PLokhttp3/Request;->newBuilder()Lokhttp3/Request$Builder; PLokhttp3/Request;->url()Lokhttp3/HttpUrl; PLokhttp3/Request$Builder;->()V -PLokhttp3/Request$Builder;->(Lokhttp3/Request;)V +HPLokhttp3/Request$Builder;->(Lokhttp3/Request;)V PLokhttp3/Request$Builder;->addHeader(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; PLokhttp3/Request$Builder;->build()Lokhttp3/Request; PLokhttp3/Request$Builder;->getBody$okhttp()Lokhttp3/RequestBody; @@ -19675,9 +20529,11 @@ HSPLokhttp3/RequestBody$Companion;->create([BLokhttp3/MediaType;II)Lokhttp3/Requ HPLokhttp3/Response;->(Lokhttp3/Request;Lokhttp3/Protocol;Ljava/lang/String;ILokhttp3/Handshake;Lokhttp3/Headers;Lokhttp3/ResponseBody;Lokhttp3/Response;Lokhttp3/Response;Lokhttp3/Response;JJLokhttp3/internal/connection/Exchange;Lkotlin/jvm/functions/Function0;)V PLokhttp3/Response;->access$getTrailersFn$p(Lokhttp3/Response;)Lkotlin/jvm/functions/Function0; PLokhttp3/Response;->body()Lokhttp3/ResponseBody; +PLokhttp3/Response;->cacheControl()Lokhttp3/CacheControl; PLokhttp3/Response;->cacheResponse()Lokhttp3/Response; PLokhttp3/Response;->code()I PLokhttp3/Response;->exchange()Lokhttp3/internal/connection/Exchange; +PLokhttp3/Response;->getLazyCacheControl$okhttp()Lokhttp3/CacheControl; PLokhttp3/Response;->handshake()Lokhttp3/Handshake; PLokhttp3/Response;->header$default(Lokhttp3/Response;Ljava/lang/String;Ljava/lang/String;ILjava/lang/Object;)Ljava/lang/String; PLokhttp3/Response;->header(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; @@ -19691,6 +20547,7 @@ PLokhttp3/Response;->protocol()Lokhttp3/Protocol; PLokhttp3/Response;->receivedResponseAtMillis()J PLokhttp3/Response;->request()Lokhttp3/Request; PLokhttp3/Response;->sentRequestAtMillis()J +PLokhttp3/Response;->setLazyCacheControl$okhttp(Lokhttp3/CacheControl;)V PLokhttp3/Response$Builder;->()V HPLokhttp3/Response$Builder;->(Lokhttp3/Response;)V PLokhttp3/Response$Builder;->body(Lokhttp3/ResponseBody;)Lokhttp3/Response$Builder; @@ -19803,14 +20660,15 @@ PLokhttp3/internal/_CacheControlCommonKt;->commonForceNetwork(Lokhttp3/CacheCont PLokhttp3/internal/_CacheControlCommonKt;->commonMaxStale(Lokhttp3/CacheControl$Builder;ILkotlin/time/DurationUnit;)Lokhttp3/CacheControl$Builder; PLokhttp3/internal/_CacheControlCommonKt;->commonNoCache(Lokhttp3/CacheControl$Builder;)Lokhttp3/CacheControl$Builder; PLokhttp3/internal/_CacheControlCommonKt;->commonOnlyIfCached(Lokhttp3/CacheControl$Builder;)Lokhttp3/CacheControl$Builder; -PLokhttp3/internal/_CacheControlCommonKt;->commonParse(Lokhttp3/CacheControl$Companion;Lokhttp3/Headers;)Lokhttp3/CacheControl; +HPLokhttp3/internal/_CacheControlCommonKt;->commonParse(Lokhttp3/CacheControl$Companion;Lokhttp3/Headers;)Lokhttp3/CacheControl; +PLokhttp3/internal/_CacheControlCommonKt;->indexOfElement(Ljava/lang/String;Ljava/lang/String;I)I Lokhttp3/internal/_HeadersCommonKt; HPLokhttp3/internal/_HeadersCommonKt;->commonAdd(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/internal/_HeadersCommonKt;->commonAddLenient(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/internal/_HeadersCommonKt;->commonBuild(Lokhttp3/Headers$Builder;)Lokhttp3/Headers; HPLokhttp3/internal/_HeadersCommonKt;->commonHeadersGet([Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; HSPLokhttp3/internal/_HeadersCommonKt;->commonHeadersOf([Ljava/lang/String;)Lokhttp3/Headers; -PLokhttp3/internal/_HeadersCommonKt;->commonName(Lokhttp3/Headers;I)Ljava/lang/String; +HPLokhttp3/internal/_HeadersCommonKt;->commonName(Lokhttp3/Headers;I)Ljava/lang/String; HPLokhttp3/internal/_HeadersCommonKt;->commonNewBuilder(Lokhttp3/Headers;)Lokhttp3/Headers$Builder; PLokhttp3/internal/_HeadersCommonKt;->commonRemoveAll(Lokhttp3/Headers$Builder;Ljava/lang/String;)Lokhttp3/Headers$Builder; PLokhttp3/internal/_HeadersCommonKt;->commonSet(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; @@ -19825,11 +20683,11 @@ HSPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidLabelLengths(Ljava/lang HPLokhttp3/internal/_HostnamesCommonKt;->idnToAscii(Ljava/lang/String;)Ljava/lang/String; HPLokhttp3/internal/_HostnamesCommonKt;->toCanonicalHost(Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_MediaTypeCommonKt;->()V -PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lokhttp3/MediaType; +HPLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaTypeOrNull(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToString(Lokhttp3/MediaType;)Ljava/lang/String; Lokhttp3/internal/_NormalizeJvmKt; -HSPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; Lokhttp3/internal/_RequestBodyCommonKt; PLokhttp3/internal/_RequestBodyCommonKt;->commonIsDuplex(Lokhttp3/RequestBody;)Z HSPLokhttp3/internal/_RequestBodyCommonKt;->commonToRequestBody([BLokhttp3/MediaType;II)Lokhttp3/RequestBody; @@ -19838,7 +20696,7 @@ HSPLokhttp3/internal/_RequestBodyCommonKt$commonToRequestBody$1;->(Lokhttp PLokhttp3/internal/_RequestCommonKt;->canonicalUrl(Ljava/lang/String;)Ljava/lang/String; HPLokhttp3/internal/_RequestCommonKt;->commonAddHeader(Lokhttp3/Request$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; -PLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request;Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request;Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_RequestCommonKt;->commonHeaders(Lokhttp3/Request$Builder;Lokhttp3/Headers;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonMethod(Lokhttp3/Request$Builder;Ljava/lang/String;Lokhttp3/RequestBody;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonRemoveHeader(Lokhttp3/Request$Builder;Ljava/lang/String;)Lokhttp3/Request$Builder; @@ -19862,6 +20720,7 @@ PLokhttp3/internal/_ResponseCommonKt;->commonPriorResponse(Lokhttp3/Response$Bui PLokhttp3/internal/_ResponseCommonKt;->commonProtocol(Lokhttp3/Response$Builder;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonRequest(Lokhttp3/Response$Builder;Lokhttp3/Request;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonTrailers(Lokhttp3/Response$Builder;Lkotlin/jvm/functions/Function0;)Lokhttp3/Response$Builder; +PLokhttp3/internal/_ResponseCommonKt;->getCommonCacheControl(Lokhttp3/Response;)Lokhttp3/CacheControl; PLokhttp3/internal/_ResponseCommonKt;->getCommonIsRedirect(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->stripBody(Lokhttp3/Response;)Lokhttp3/Response; @@ -19884,10 +20743,13 @@ HSPLokhttp3/internal/_UtilCommonKt;->indexOfFirstNonAsciiWhitespace$default(Ljav HSPLokhttp3/internal/_UtilCommonKt;->indexOfFirstNonAsciiWhitespace(Ljava/lang/String;II)I HSPLokhttp3/internal/_UtilCommonKt;->indexOfLastNonAsciiWhitespace$default(Ljava/lang/String;IIILjava/lang/Object;)I HSPLokhttp3/internal/_UtilCommonKt;->indexOfLastNonAsciiWhitespace(Ljava/lang/String;II)I +PLokhttp3/internal/_UtilCommonKt;->indexOfNonWhitespace(Ljava/lang/String;I)I PLokhttp3/internal/_UtilCommonKt;->intersect([Ljava/lang/String;[Ljava/lang/String;Ljava/util/Comparator;)[Ljava/lang/String; +PLokhttp3/internal/_UtilCommonKt;->isCivilized(Lokio/FileSystem;Lokio/Path;)Z PLokhttp3/internal/_UtilCommonKt;->matchAtPolyfill(Lkotlin/text/Regex;Ljava/lang/CharSequence;I)Lkotlin/text/MatchResult; HPLokhttp3/internal/_UtilCommonKt;->readMedium(Lokio/BufferedSource;)I PLokhttp3/internal/_UtilCommonKt;->toLongOrDefault(Ljava/lang/String;J)J +PLokhttp3/internal/_UtilCommonKt;->toNonNegativeInt(Ljava/lang/String;I)I PLokhttp3/internal/_UtilCommonKt;->writeMedium(Lokio/BufferedSink;I)V PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$aiIKyiCVQJMoJuLBZzlTCC9JyKk(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$zVjOF8EpEt9HO-4CCFO4lcqRfxo(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; @@ -19900,7 +20762,7 @@ PLokhttp3/internal/_UtilJvmKt;->headersContentLength(Lokhttp3/Response;)J PLokhttp3/internal/_UtilJvmKt;->immutableListOf([Ljava/lang/Object;)Ljava/util/List; PLokhttp3/internal/_UtilJvmKt;->threadFactory$lambda$1(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/_UtilJvmKt;->threadFactory(Ljava/lang/String;Z)Ljava/util/concurrent/ThreadFactory; -PLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; +HPLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; PLokhttp3/internal/_UtilJvmKt;->toHostHeader$default(Lokhttp3/HttpUrl;ZILjava/lang/Object;)Ljava/lang/String; PLokhttp3/internal/_UtilJvmKt;->toHostHeader(Lokhttp3/HttpUrl;Z)Ljava/lang/String; PLokhttp3/internal/_UtilJvmKt;->toImmutableList(Ljava/util/List;)Ljava/util/List; @@ -19912,18 +20774,67 @@ PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;)V PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/cache/CacheInterceptor;->()V PLokhttp3/internal/cache/CacheInterceptor;->(Lokhttp3/Cache;)V -PLokhttp3/internal/cache/CacheInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; +PLokhttp3/internal/cache/CacheInterceptor;->cacheWritingResponse(Lokhttp3/internal/cache/CacheRequest;Lokhttp3/Response;)Lokhttp3/Response; +HPLokhttp3/internal/cache/CacheInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; PLokhttp3/internal/cache/CacheInterceptor$Companion;->()V PLokhttp3/internal/cache/CacheInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/cache/CacheInterceptor$cacheWritingResponse$cacheWritingSource$1;->(Lokio/BufferedSource;Lokhttp3/internal/cache/CacheRequest;Lokio/BufferedSink;)V +PLokhttp3/internal/cache/CacheInterceptor$cacheWritingResponse$cacheWritingSource$1;->close()V +HPLokhttp3/internal/cache/CacheInterceptor$cacheWritingResponse$cacheWritingSource$1;->read(Lokio/Buffer;J)J PLokhttp3/internal/cache/CacheStrategy;->()V PLokhttp3/internal/cache/CacheStrategy;->(Lokhttp3/Request;Lokhttp3/Response;)V PLokhttp3/internal/cache/CacheStrategy;->getCacheResponse()Lokhttp3/Response; PLokhttp3/internal/cache/CacheStrategy;->getNetworkRequest()Lokhttp3/Request; PLokhttp3/internal/cache/CacheStrategy$Companion;->()V PLokhttp3/internal/cache/CacheStrategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/cache/CacheStrategy$Companion;->isCacheable(Lokhttp3/Response;Lokhttp3/Request;)Z PLokhttp3/internal/cache/CacheStrategy$Factory;->(JLokhttp3/Request;Lokhttp3/Response;)V PLokhttp3/internal/cache/CacheStrategy$Factory;->compute()Lokhttp3/internal/cache/CacheStrategy; PLokhttp3/internal/cache/CacheStrategy$Factory;->computeCandidate()Lokhttp3/internal/cache/CacheStrategy; +PLokhttp3/internal/cache/DiskLruCache;->()V +PLokhttp3/internal/cache/DiskLruCache;->(Lokio/FileSystem;Lokio/Path;IIJLokhttp3/internal/concurrent/TaskRunner;)V +PLokhttp3/internal/cache/DiskLruCache;->checkNotClosed()V +HPLokhttp3/internal/cache/DiskLruCache;->completeEdit$okhttp(Lokhttp3/internal/cache/DiskLruCache$Editor;Z)V +PLokhttp3/internal/cache/DiskLruCache;->edit$default(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;JILjava/lang/Object;)Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/internal/cache/DiskLruCache;->edit(Ljava/lang/String;J)Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/internal/cache/DiskLruCache;->get(Ljava/lang/String;)Lokhttp3/internal/cache/DiskLruCache$Snapshot; +PLokhttp3/internal/cache/DiskLruCache;->getDirectory()Lokio/Path; +PLokhttp3/internal/cache/DiskLruCache;->getFileSystem$okhttp()Lokio/FileSystem; +PLokhttp3/internal/cache/DiskLruCache;->getValueCount$okhttp()I +PLokhttp3/internal/cache/DiskLruCache;->initialize()V +PLokhttp3/internal/cache/DiskLruCache;->journalRebuildRequired()Z +PLokhttp3/internal/cache/DiskLruCache;->newJournalWriter()Lokio/BufferedSink; +PLokhttp3/internal/cache/DiskLruCache;->rebuildJournal$okhttp()V +PLokhttp3/internal/cache/DiskLruCache;->remove(Ljava/lang/String;)Z +PLokhttp3/internal/cache/DiskLruCache;->validateKey(Ljava/lang/String;)V +PLokhttp3/internal/cache/DiskLruCache$Companion;->()V +PLokhttp3/internal/cache/DiskLruCache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/cache/DiskLruCache$Editor;->(Lokhttp3/internal/cache/DiskLruCache;Lokhttp3/internal/cache/DiskLruCache$Entry;)V +PLokhttp3/internal/cache/DiskLruCache$Editor;->commit()V +PLokhttp3/internal/cache/DiskLruCache$Editor;->getEntry$okhttp()Lokhttp3/internal/cache/DiskLruCache$Entry; +PLokhttp3/internal/cache/DiskLruCache$Editor;->getWritten$okhttp()[Z +HPLokhttp3/internal/cache/DiskLruCache$Editor;->newSink(I)Lokio/Sink; +PLokhttp3/internal/cache/DiskLruCache$Editor$newSink$1$1;->(Lokhttp3/internal/cache/DiskLruCache;Lokhttp3/internal/cache/DiskLruCache$Editor;)V +HPLokhttp3/internal/cache/DiskLruCache$Entry;->(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->getCleanFiles$okhttp()Ljava/util/List; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getCurrentEditor$okhttp()Lokhttp3/internal/cache/DiskLruCache$Editor; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getDirtyFiles$okhttp()Ljava/util/List; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getKey$okhttp()Ljava/lang/String; +PLokhttp3/internal/cache/DiskLruCache$Entry;->getLengths$okhttp()[J +PLokhttp3/internal/cache/DiskLruCache$Entry;->getReadable$okhttp()Z +PLokhttp3/internal/cache/DiskLruCache$Entry;->getZombie$okhttp()Z +PLokhttp3/internal/cache/DiskLruCache$Entry;->setCurrentEditor$okhttp(Lokhttp3/internal/cache/DiskLruCache$Editor;)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->setReadable$okhttp(Z)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->setSequenceNumber$okhttp(J)V +PLokhttp3/internal/cache/DiskLruCache$Entry;->writeLengths$okhttp(Lokio/BufferedSink;)V +PLokhttp3/internal/cache/DiskLruCache$cleanupTask$1;->(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;)V +PLokhttp3/internal/cache/DiskLruCache$fileSystem$1;->(Lokio/FileSystem;)V +PLokhttp3/internal/cache/DiskLruCache$fileSystem$1;->sink(Lokio/Path;Z)Lokio/Sink; +PLokhttp3/internal/cache/DiskLruCache$newJournalWriter$faultHidingSink$1;->(Lokhttp3/internal/cache/DiskLruCache;)V +PLokhttp3/internal/cache/FaultHidingSink;->(Lokio/Sink;Lkotlin/jvm/functions/Function1;)V +PLokhttp3/internal/cache/FaultHidingSink;->close()V +PLokhttp3/internal/cache/FaultHidingSink;->flush()V +PLokhttp3/internal/cache/FaultHidingSink;->write(Lokio/Buffer;J)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;Z)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/Task;->getName()Ljava/lang/String; @@ -19940,7 +20851,7 @@ PLokhttp3/internal/concurrent/TaskQueue;->getCancelActiveTask$okhttp()Z PLokhttp3/internal/concurrent/TaskQueue;->getFutureTasks$okhttp()Ljava/util/List; PLokhttp3/internal/concurrent/TaskQueue;->getShutdown$okhttp()Z PLokhttp3/internal/concurrent/TaskQueue;->schedule$default(Lokhttp3/internal/concurrent/TaskQueue;Lokhttp3/internal/concurrent/Task;JILjava/lang/Object;)V -HPLokhttp3/internal/concurrent/TaskQueue;->schedule(Lokhttp3/internal/concurrent/Task;J)V +PLokhttp3/internal/concurrent/TaskQueue;->schedule(Lokhttp3/internal/concurrent/Task;J)V HPLokhttp3/internal/concurrent/TaskQueue;->scheduleAndDecide$okhttp(Lokhttp3/internal/concurrent/Task;JZ)Z PLokhttp3/internal/concurrent/TaskQueue;->setActiveTask$okhttp(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskQueue;->setCancelActiveTask$okhttp(Z)V @@ -19951,16 +20862,16 @@ PLokhttp3/internal/concurrent/TaskRunner;->()V PLokhttp3/internal/concurrent/TaskRunner;->(Lokhttp3/internal/concurrent/TaskRunner$Backend;Ljava/util/logging/Logger;)V PLokhttp3/internal/concurrent/TaskRunner;->(Lokhttp3/internal/concurrent/TaskRunner$Backend;Ljava/util/logging/Logger;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/TaskRunner;->access$runTask(Lokhttp3/internal/concurrent/TaskRunner;Lokhttp3/internal/concurrent/Task;)V -HPLokhttp3/internal/concurrent/TaskRunner;->afterRun(Lokhttp3/internal/concurrent/Task;J)V +PLokhttp3/internal/concurrent/TaskRunner;->afterRun(Lokhttp3/internal/concurrent/Task;J)V HPLokhttp3/internal/concurrent/TaskRunner;->awaitTaskToRun()Lokhttp3/internal/concurrent/Task; -HPLokhttp3/internal/concurrent/TaskRunner;->beforeRun(Lokhttp3/internal/concurrent/Task;)V +PLokhttp3/internal/concurrent/TaskRunner;->beforeRun(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskRunner;->getBackend()Lokhttp3/internal/concurrent/TaskRunner$Backend; PLokhttp3/internal/concurrent/TaskRunner;->getCondition()Ljava/util/concurrent/locks/Condition; PLokhttp3/internal/concurrent/TaskRunner;->getLock()Ljava/util/concurrent/locks/ReentrantLock; PLokhttp3/internal/concurrent/TaskRunner;->getLogger$okhttp()Ljava/util/logging/Logger; HPLokhttp3/internal/concurrent/TaskRunner;->kickCoordinator$okhttp(Lokhttp3/internal/concurrent/TaskQueue;)V PLokhttp3/internal/concurrent/TaskRunner;->newQueue()Lokhttp3/internal/concurrent/TaskQueue; -HPLokhttp3/internal/concurrent/TaskRunner;->runTask(Lokhttp3/internal/concurrent/Task;)V +PLokhttp3/internal/concurrent/TaskRunner;->runTask(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskRunner$Companion;->()V PLokhttp3/internal/concurrent/TaskRunner$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->(Ljava/util/concurrent/ThreadFactory;)V @@ -19970,7 +20881,7 @@ PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->decorate(Ljava/util/concu PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->execute(Lokhttp3/internal/concurrent/TaskRunner;Ljava/lang/Runnable;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->nanoTime()J PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->(Lokhttp3/internal/concurrent/TaskRunner;)V -HPLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V +PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; @@ -19979,7 +20890,7 @@ PLokhttp3/internal/connection/ConnectPlan;->(Lokhttp3/OkHttpClient;Lokhttp PLokhttp3/internal/connection/ConnectPlan;->closeQuietly()V PLokhttp3/internal/connection/ConnectPlan;->connectSocket()V PLokhttp3/internal/connection/ConnectPlan;->connectTcp()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; -PLokhttp3/internal/connection/ConnectPlan;->connectTls(Ljavax/net/ssl/SSLSocket;Lokhttp3/ConnectionSpec;)V +HPLokhttp3/internal/connection/ConnectPlan;->connectTls(Ljavax/net/ssl/SSLSocket;Lokhttp3/ConnectionSpec;)V HPLokhttp3/internal/connection/ConnectPlan;->connectTlsEtc()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; PLokhttp3/internal/connection/ConnectPlan;->copy$default(Lokhttp3/internal/connection/ConnectPlan;ILokhttp3/Request;IZILjava/lang/Object;)Lokhttp3/internal/connection/ConnectPlan; PLokhttp3/internal/connection/ConnectPlan;->copy(ILokhttp3/Request;IZ)Lokhttp3/internal/connection/ConnectPlan; @@ -19994,6 +20905,8 @@ PLokhttp3/internal/connection/ConnectPlan$Companion;->(Lkotlin/jvm/interna PLokhttp3/internal/connection/ConnectPlan$WhenMappings;->()V PLokhttp3/internal/connection/ConnectPlan$connectTls$1;->(Lokhttp3/Handshake;)V PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->(Lokhttp3/CertificatePinner;Lokhttp3/Handshake;Lokhttp3/Address;)V +PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava/lang/Object; +PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava/util/List; PLokhttp3/internal/connection/Exchange;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/EventListener;Lokhttp3/internal/connection/ExchangeFinder;Lokhttp3/internal/http/ExchangeCodec;)V PLokhttp3/internal/connection/Exchange;->bodyComplete(JZZLjava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/Exchange;->cancel()V @@ -20026,7 +20939,7 @@ PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getConnectResu PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getTcpConnectsInFlight$p(Lokhttp3/internal/connection/FastFallbackExchangeFinder;)Ljava/util/concurrent/CopyOnWriteArrayList; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->awaitTcpConnect(JLjava/util/concurrent/TimeUnit;)Lokhttp3/internal/connection/RoutePlanner$ConnectResult; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->cancelInFlightConnects()V -PLokhttp3/internal/connection/FastFallbackExchangeFinder;->find()Lokhttp3/internal/connection/RealConnection; +HPLokhttp3/internal/connection/FastFallbackExchangeFinder;->find()Lokhttp3/internal/connection/RealConnection; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->getRoutePlanner()Lokhttp3/internal/connection/RoutePlanner; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->launchTcpConnect()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; PLokhttp3/internal/connection/FastFallbackExchangeFinder$launchTcpConnect$1;->(Ljava/lang/String;Lokhttp3/internal/connection/RoutePlanner$Plan;Lokhttp3/internal/connection/FastFallbackExchangeFinder;)V @@ -20050,9 +20963,9 @@ PLokhttp3/internal/connection/RealCall;->getInterceptorScopedExchange$okhttp()Lo PLokhttp3/internal/connection/RealCall;->getOriginalRequest()Lokhttp3/Request; PLokhttp3/internal/connection/RealCall;->getPlansToCancel$okhttp()Ljava/util/concurrent/CopyOnWriteArrayList; HPLokhttp3/internal/connection/RealCall;->getResponseWithInterceptorChain$okhttp()Lokhttp3/Response; -PLokhttp3/internal/connection/RealCall;->initExchange$okhttp(Lokhttp3/internal/http/RealInterceptorChain;)Lokhttp3/internal/connection/Exchange; +HPLokhttp3/internal/connection/RealCall;->initExchange$okhttp(Lokhttp3/internal/http/RealInterceptorChain;)Lokhttp3/internal/connection/Exchange; PLokhttp3/internal/connection/RealCall;->isCanceled()Z -PLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/connection/Exchange;ZZLjava/io/IOException;)Ljava/io/IOException; +HPLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/connection/Exchange;ZZLjava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->noMoreExchanges$okhttp(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->redactedUrl$okhttp()Ljava/lang/String; PLokhttp3/internal/connection/RealCall;->releaseConnectionNoEvents$okhttp()Ljava/net/Socket; @@ -20092,7 +21005,7 @@ PLokhttp3/internal/connection/RealConnection$Companion;->()V PLokhttp3/internal/connection/RealConnection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/connection/RealConnectionPool;->()V PLokhttp3/internal/connection/RealConnectionPool;->(Lokhttp3/internal/concurrent/TaskRunner;IJLjava/util/concurrent/TimeUnit;Lokhttp3/ConnectionListener;)V -PLokhttp3/internal/connection/RealConnectionPool;->callAcquirePooledConnection(ZLokhttp3/Address;Lokhttp3/internal/connection/RealCall;Ljava/util/List;Z)Lokhttp3/internal/connection/RealConnection; +HPLokhttp3/internal/connection/RealConnectionPool;->callAcquirePooledConnection(ZLokhttp3/Address;Lokhttp3/internal/connection/RealCall;Ljava/util/List;Z)Lokhttp3/internal/connection/RealConnection; PLokhttp3/internal/connection/RealConnectionPool;->cleanup(J)J PLokhttp3/internal/connection/RealConnectionPool;->connectionBecameIdle(Lokhttp3/internal/connection/RealConnection;)Z PLokhttp3/internal/connection/RealConnectionPool;->getConnectionListener$okhttp()Lokhttp3/ConnectionListener; @@ -20112,7 +21025,7 @@ PLokhttp3/internal/connection/RealRoutePlanner;->planConnect()Lokhttp3/internal/ PLokhttp3/internal/connection/RealRoutePlanner;->planConnectToRoute$okhttp(Lokhttp3/Route;Ljava/util/List;)Lokhttp3/internal/connection/ConnectPlan; PLokhttp3/internal/connection/RealRoutePlanner;->planReuseCallConnection()Lokhttp3/internal/connection/ReusePlan; PLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp$default(Lokhttp3/internal/connection/RealRoutePlanner;Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;ILjava/lang/Object;)Lokhttp3/internal/connection/ReusePlan; -PLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp(Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;)Lokhttp3/internal/connection/ReusePlan; +HPLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp(Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;)Lokhttp3/internal/connection/ReusePlan; PLokhttp3/internal/connection/RealRoutePlanner;->retryRoute(Lokhttp3/internal/connection/RealConnection;)Lokhttp3/Route; PLokhttp3/internal/connection/RealRoutePlanner;->sameHostAndPort(Lokhttp3/HttpUrl;)Z PLokhttp3/internal/connection/ReusePlan;->(Lokhttp3/internal/connection/RealConnection;)V @@ -20152,6 +21065,7 @@ PLokhttp3/internal/http/HttpHeaders;->promisesBody(Lokhttp3/Response;)Z PLokhttp3/internal/http/HttpHeaders;->receiveHeaders(Lokhttp3/CookieJar;Lokhttp3/HttpUrl;Lokhttp3/Headers;)V PLokhttp3/internal/http/HttpMethod;->()V PLokhttp3/internal/http/HttpMethod;->()V +PLokhttp3/internal/http/HttpMethod;->invalidatesCache(Ljava/lang/String;)Z PLokhttp3/internal/http/HttpMethod;->permitsRequestBody(Ljava/lang/String;)Z PLokhttp3/internal/http/HttpMethod;->requiresRequestBody(Ljava/lang/String;)Z HPLokhttp3/internal/http/RealInterceptorChain;->(Lokhttp3/internal/connection/RealCall;Ljava/util/List;ILokhttp3/internal/connection/Exchange;Lokhttp3/Request;III)V @@ -20186,6 +21100,7 @@ PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine;->()V PLokhttp3/internal/http/StatusLine;->(Lokhttp3/Protocol;ILjava/lang/String;)V +PLokhttp3/internal/http/StatusLine;->toString()Ljava/lang/String; PLokhttp3/internal/http/StatusLine$Companion;->()V PLokhttp3/internal/http/StatusLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; @@ -20220,9 +21135,9 @@ PLokhttp3/internal/http2/Hpack$Reader;->getAndResetHeaderList()Ljava/util/List; PLokhttp3/internal/http2/Hpack$Reader;->getName(I)Lokio/ByteString; PLokhttp3/internal/http2/Hpack$Reader;->insertIntoDynamicTable(ILokhttp3/internal/http2/Header;)V PLokhttp3/internal/http2/Hpack$Reader;->isStaticHeader(I)Z -HPLokhttp3/internal/http2/Hpack$Reader;->readByte()I +PLokhttp3/internal/http2/Hpack$Reader;->readByte()I HPLokhttp3/internal/http2/Hpack$Reader;->readByteString()Lokio/ByteString; -HPLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V +PLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V PLokhttp3/internal/http2/Hpack$Reader;->readIndexedHeader(I)V PLokhttp3/internal/http2/Hpack$Reader;->readInt(II)I PLokhttp3/internal/http2/Hpack$Reader;->readLiteralHeaderWithIncrementalIndexingIndexedName(I)V @@ -20327,11 +21242,11 @@ PLokhttp3/internal/http2/Http2ExchangeCodec;->getCarrier()Lokhttp3/internal/http PLokhttp3/internal/http2/Http2ExchangeCodec;->openResponseBodySource(Lokhttp3/Response;)Lokio/Source; PLokhttp3/internal/http2/Http2ExchangeCodec;->readResponseHeaders(Z)Lokhttp3/Response$Builder; PLokhttp3/internal/http2/Http2ExchangeCodec;->reportedContentLength(Lokhttp3/Response;)J -PLokhttp3/internal/http2/Http2ExchangeCodec;->writeRequestHeaders(Lokhttp3/Request;)V +HPLokhttp3/internal/http2/Http2ExchangeCodec;->writeRequestHeaders(Lokhttp3/Request;)V PLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->()V PLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->http2HeadersList(Lokhttp3/Request;)Ljava/util/List; -PLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->readHttp2HeadersList(Lokhttp3/Headers;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; +HPLokhttp3/internal/http2/Http2ExchangeCodec$Companion;->readHttp2HeadersList(Lokhttp3/Headers;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/http2/Http2ExchangeCodec$Companion$readHttp2HeadersList$1;->()V PLokhttp3/internal/http2/Http2ExchangeCodec$Companion$readHttp2HeadersList$1;->()V PLokhttp3/internal/http2/Http2Reader;->()V @@ -20339,7 +21254,7 @@ PLokhttp3/internal/http2/Http2Reader;->(Lokio/BufferedSource;Z)V PLokhttp3/internal/http2/Http2Reader;->close()V HPLokhttp3/internal/http2/Http2Reader;->nextFrame(ZLokhttp3/internal/http2/Http2Reader$Handler;)Z PLokhttp3/internal/http2/Http2Reader;->readConnectionPreface(Lokhttp3/internal/http2/Http2Reader$Handler;)V -PLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V +HPLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readHeaderBlock(IIII)Ljava/util/List; PLokhttp3/internal/http2/Http2Reader;->readHeaders(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readSettings(Lokhttp3/internal/http2/Http2Reader$Handler;III)V @@ -20376,10 +21291,10 @@ PLokhttp3/internal/http2/Http2Stream;->getWriteBytesMaximum()J PLokhttp3/internal/http2/Http2Stream;->getWriteBytesTotal()J PLokhttp3/internal/http2/Http2Stream;->getWriteTimeout$okhttp()Lokhttp3/internal/http2/Http2Stream$StreamTimeout; PLokhttp3/internal/http2/Http2Stream;->isLocallyInitiated()Z -PLokhttp3/internal/http2/Http2Stream;->isOpen()Z +HPLokhttp3/internal/http2/Http2Stream;->isOpen()Z PLokhttp3/internal/http2/Http2Stream;->readTimeout()Lokio/Timeout; PLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V -PLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V +HPLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V PLokhttp3/internal/http2/Http2Stream;->setWriteBytesTotal$okhttp(J)V PLokhttp3/internal/http2/Http2Stream;->takeHeaders(Z)Lokhttp3/Headers; PLokhttp3/internal/http2/Http2Stream;->waitForIo$okhttp()V @@ -20387,7 +21302,7 @@ PLokhttp3/internal/http2/Http2Stream;->writeTimeout()Lokio/Timeout; PLokhttp3/internal/http2/Http2Stream$Companion;->()V PLokhttp3/internal/http2/Http2Stream$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->(Lokhttp3/internal/http2/Http2Stream;Z)V -PLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V +HPLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V PLokhttp3/internal/http2/Http2Stream$FramingSink;->emitFrame(Z)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->getClosed()Z PLokhttp3/internal/http2/Http2Stream$FramingSink;->getFinished()Z @@ -20423,6 +21338,7 @@ PLokhttp3/internal/http2/Http2Writer$Companion;->(Lkotlin/jvm/internal/Def PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->addCode(III)V +HPLokhttp3/internal/http2/Huffman;->decode(Lokio/BufferedSource;JLokio/BufferedSink;)V HPLokhttp3/internal/http2/Huffman;->encode(Lokio/ByteString;Lokio/BufferedSink;)V PLokhttp3/internal/http2/Huffman;->encodedLength(Lokio/ByteString;)I PLokhttp3/internal/http2/Huffman$Node;->()V @@ -20451,7 +21367,7 @@ PLokhttp3/internal/http2/StreamResetException;->(Lokhttp3/internal/http2/E PLokhttp3/internal/http2/flowcontrol/WindowCounter;->(I)V PLokhttp3/internal/http2/flowcontrol/WindowCounter;->getUnacknowledged()J PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update$default(Lokhttp3/internal/http2/flowcontrol/WindowCounter;JJILjava/lang/Object;)V -PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V +HPLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V Lokhttp3/internal/idn/IdnaMappingTable; HSPLokhttp3/internal/idn/IdnaMappingTable;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V HPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I @@ -20481,17 +21397,12 @@ PLokhttp3/internal/platform/Android10Platform$Companion;->()V PLokhttp3/internal/platform/Android10Platform$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/platform/Android10Platform$Companion;->buildIfSupported()Lokhttp3/internal/platform/Platform; PLokhttp3/internal/platform/Android10Platform$Companion;->isSupported()Z -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m()Landroid/util/CloseGuard; -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Landroid/util/CloseGuard;Ljava/lang/String;)V -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLParameters;[Ljava/lang/String;)V -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Ljava/lang/String; -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;)Z -PLokhttp3/internal/platform/Jdk9Platform$$ExternalSyntheticApiModelOutline0;->m(Ljavax/net/ssl/SSLSocket;Z)V PLokhttp3/internal/platform/Platform;->()V PLokhttp3/internal/platform/Platform;->()V PLokhttp3/internal/platform/Platform;->access$getPlatform$cp()Lokhttp3/internal/platform/Platform; PLokhttp3/internal/platform/Platform;->afterHandshake(Ljavax/net/ssl/SSLSocket;)V PLokhttp3/internal/platform/Platform;->connectSocket(Ljava/net/Socket;Ljava/net/InetSocketAddress;I)V +PLokhttp3/internal/platform/Platform;->getPrefix()Ljava/lang/String; PLokhttp3/internal/platform/Platform;->log$default(Lokhttp3/internal/platform/Platform;Ljava/lang/String;ILjava/lang/Throwable;ILjava/lang/Object;)V PLokhttp3/internal/platform/Platform;->log(Ljava/lang/String;ILjava/lang/Throwable;)V PLokhttp3/internal/platform/Platform;->newSSLContext()Ljavax/net/ssl/SSLContext; @@ -20517,6 +21428,7 @@ PLokhttp3/internal/platform/android/Android10SocketAdapter$Companion;->buildIfSu PLokhttp3/internal/platform/android/Android10SocketAdapter$Companion;->isSupported()Z PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->()V PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->(Ljavax/net/ssl/X509TrustManager;Landroid/net/http/X509TrustManagerExtensions;)V +PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->clean(Ljava/util/List;Ljava/lang/String;)Ljava/util/List; PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->equals(Ljava/lang/Object;)Z PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner;->hashCode()I PLokhttp3/internal/platform/android/AndroidCertificateChainCleaner$Companion;->()V @@ -20581,12 +21493,16 @@ PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->log(Ljava/lang/String;)V +PLokio/-Base64;->()V +PLokio/-Base64;->encodeBase64$default([B[BILjava/lang/Object;)Ljava/lang/String; +HPLokio/-Base64;->encodeBase64([B[B)Ljava/lang/String; Lokio/-SegmentedByteString; HSPLokio/-SegmentedByteString;->()V HPLokio/-SegmentedByteString;->arrayRangeEquals([BI[BII)Z HPLokio/-SegmentedByteString;->checkOffsetAndCount(JJJ)V PLokio/-SegmentedByteString;->getDEFAULT__ByteString_size()I PLokio/-SegmentedByteString;->resolveDefaultParameter(Lokio/ByteString;I)I +PLokio/-SegmentedByteString;->resolveDefaultParameter([BI)I PLokio/-SegmentedByteString;->reverseBytes(I)I PLokio/AsyncTimeout;->()V PLokio/AsyncTimeout;->()V @@ -20614,7 +21530,7 @@ PLokio/AsyncTimeout$Companion;->awaitTimeout()Lokio/AsyncTimeout; PLokio/AsyncTimeout$Companion;->getCondition()Ljava/util/concurrent/locks/Condition; PLokio/AsyncTimeout$Companion;->getLock()Ljava/util/concurrent/locks/ReentrantLock; HPLokio/AsyncTimeout$Companion;->insertIntoQueue(Lokio/AsyncTimeout;JZ)V -PLokio/AsyncTimeout$Companion;->removeFromQueue(Lokio/AsyncTimeout;)V +HPLokio/AsyncTimeout$Companion;->removeFromQueue(Lokio/AsyncTimeout;)V PLokio/AsyncTimeout$Watchdog;->()V PLokio/AsyncTimeout$Watchdog;->run()V PLokio/AsyncTimeout$sink$1;->(Lokio/AsyncTimeout;Lokio/Sink;)V @@ -20627,15 +21543,18 @@ HPLokio/AsyncTimeout$source$1;->read(Lokio/Buffer;J)J Lokio/Buffer; HPLokio/Buffer;->()V PLokio/Buffer;->clear()V -HPLokio/Buffer;->completeSegmentByteCount()J -PLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; +HPLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; HPLokio/Buffer;->exhausted()Z +HPLokio/Buffer;->getByte(J)B HPLokio/Buffer;->indexOf(BJJ)J PLokio/Buffer;->indexOfElement(Lokio/ByteString;)J -PLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z +HPLokio/Buffer;->indexOfElement(Lokio/ByteString;J)J +HPLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z PLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z HPLokio/Buffer;->read(Ljava/nio/ByteBuffer;)I HPLokio/Buffer;->read(Lokio/Buffer;J)J +HPLokio/Buffer;->read([BII)I +HPLokio/Buffer;->readByte()B HPLokio/Buffer;->readByteArray(J)[B PLokio/Buffer;->readByteString()Lokio/ByteString; HPLokio/Buffer;->readByteString(J)Lokio/ByteString; @@ -20643,11 +21562,13 @@ HPLokio/Buffer;->readFully([B)V HPLokio/Buffer;->readInt()I PLokio/Buffer;->readIntLe()I PLokio/Buffer;->readShort()S +HPLokio/Buffer;->readString(JLjava/nio/charset/Charset;)Ljava/lang/String; HSPLokio/Buffer;->readUtf8()Ljava/lang/String; HPLokio/Buffer;->readUtf8(J)Ljava/lang/String; -HPLokio/Buffer;->readUtf8CodePoint()I +HSPLokio/Buffer;->readUtf8CodePoint()I HPLokio/Buffer;->setSize$okio(J)V HPLokio/Buffer;->size()J +HPLokio/Buffer;->skip(J)V HPLokio/Buffer;->writableSegment$okio(I)Lokio/Segment; HPLokio/Buffer;->write(Lokio/Buffer;J)V HPLokio/Buffer;->write(Lokio/ByteString;)Lokio/Buffer; @@ -20656,7 +21577,7 @@ HPLokio/Buffer;->write([BII)Lokio/Buffer; HSPLokio/Buffer;->writeAll(Lokio/Source;)J HPLokio/Buffer;->writeByte(I)Lokio/Buffer; HPLokio/Buffer;->writeByte(I)Lokio/BufferedSink; -PLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; +HPLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; HPLokio/Buffer;->writeInt(I)Lokio/Buffer; PLokio/Buffer;->writeShort(I)Lokio/Buffer; HPLokio/Buffer;->writeUtf8(Ljava/lang/String;)Lokio/Buffer; @@ -20671,10 +21592,11 @@ Lokio/BufferedSource; Lokio/ByteString; HSPLokio/ByteString;->()V HPLokio/ByteString;->([B)V +PLokio/ByteString;->base64()Ljava/lang/String; HSPLokio/ByteString;->compareTo(Ljava/lang/Object;)I HSPLokio/ByteString;->compareTo(Lokio/ByteString;)I PLokio/ByteString;->decodeHex(Ljava/lang/String;)Lokio/ByteString; -PLokio/ByteString;->digest$okio(Ljava/lang/String;)Lokio/ByteString; +HPLokio/ByteString;->digest$okio(Ljava/lang/String;)Lokio/ByteString; PLokio/ByteString;->encodeUtf8(Ljava/lang/String;)Lokio/ByteString; PLokio/ByteString;->endsWith(Lokio/ByteString;)Z HPLokio/ByteString;->equals(Ljava/lang/Object;)Z @@ -20684,15 +21606,16 @@ PLokio/ByteString;->getHashCode$okio()I HPLokio/ByteString;->getSize$okio()I PLokio/ByteString;->getUtf8$okio()Ljava/lang/String; PLokio/ByteString;->hashCode()I -PLokio/ByteString;->hex()Ljava/lang/String; +HPLokio/ByteString;->hex()Ljava/lang/String; PLokio/ByteString;->indexOf$default(Lokio/ByteString;Lokio/ByteString;IILjava/lang/Object;)I -PLokio/ByteString;->indexOf(Lokio/ByteString;I)I -PLokio/ByteString;->indexOf([BI)I +HPLokio/ByteString;->indexOf(Lokio/ByteString;I)I +HPLokio/ByteString;->indexOf([BI)I PLokio/ByteString;->internalArray$okio()[B HPLokio/ByteString;->internalGet$okio(I)B PLokio/ByteString;->lastIndexOf$default(Lokio/ByteString;Lokio/ByteString;IILjava/lang/Object;)I PLokio/ByteString;->lastIndexOf(Lokio/ByteString;I)I -PLokio/ByteString;->lastIndexOf([BI)I +HPLokio/ByteString;->lastIndexOf([BI)I +PLokio/ByteString;->md5()Lokio/ByteString; HSPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z HPLokio/ByteString;->rangeEquals(I[BII)Z PLokio/ByteString;->setHashCode$okio(I)V @@ -20701,15 +21624,17 @@ PLokio/ByteString;->sha256()Lokio/ByteString; HPLokio/ByteString;->size()I HSPLokio/ByteString;->startsWith(Lokio/ByteString;)Z PLokio/ByteString;->substring$default(Lokio/ByteString;IIILjava/lang/Object;)Lokio/ByteString; -PLokio/ByteString;->substring(II)Lokio/ByteString; +HPLokio/ByteString;->substring(II)Lokio/ByteString; PLokio/ByteString;->toAsciiLowercase()Lokio/ByteString; -PLokio/ByteString;->utf8()Ljava/lang/String; +HPLokio/ByteString;->utf8()Ljava/lang/String; HPLokio/ByteString;->write$okio(Lokio/Buffer;II)V Lokio/ByteString$Companion; HSPLokio/ByteString$Companion;->()V HSPLokio/ByteString$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLokio/ByteString$Companion;->decodeHex(Ljava/lang/String;)Lokio/ByteString; HPLokio/ByteString$Companion;->encodeUtf8(Ljava/lang/String;)Lokio/ByteString; +PLokio/ByteString$Companion;->of$default(Lokio/ByteString$Companion;[BIIILjava/lang/Object;)Lokio/ByteString; +PLokio/ByteString$Companion;->of([BII)Lokio/ByteString; PLokio/FileHandle;->(Z)V PLokio/FileHandle;->access$getClosed$p(Lokio/FileHandle;)Z PLokio/FileHandle;->access$getOpenStreamCount$p(Lokio/FileHandle;)I @@ -20744,12 +21669,14 @@ PLokio/FileSystem$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMark PLokio/ForwardingFileSystem;->(Lokio/FileSystem;)V PLokio/ForwardingFileSystem;->appendingSink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V +PLokio/ForwardingFileSystem;->createDirectory(Lokio/Path;Z)V PLokio/ForwardingFileSystem;->delete(Lokio/Path;Z)V -PLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; +HPLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/ForwardingFileSystem;->onPathParameter(Lokio/Path;Ljava/lang/String;Ljava/lang/String;)Lokio/Path; PLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingSink;->(Lokio/Sink;)V PLokio/ForwardingSink;->close()V +PLokio/ForwardingSink;->flush()V PLokio/ForwardingSink;->write(Lokio/Buffer;J)V PLokio/ForwardingSource;->(Lokio/Source;)V PLokio/ForwardingSource;->close()V @@ -20785,8 +21712,8 @@ PLokio/JvmSystemFileSystem;->source(Lokio/Path;)Lokio/Source; PLokio/NioSystemFileSystem;->()V PLokio/NioSystemFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V HPLokio/NioSystemFileSystem;->metadataOrNull(Ljava/nio/file/Path;)Lokio/FileMetadata; -PLokio/NioSystemFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; -PLokio/NioSystemFileSystem;->zeroToNull(Ljava/nio/file/attribute/FileTime;)Ljava/lang/Long; +HPLokio/NioSystemFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; +HPLokio/NioSystemFileSystem;->zeroToNull(Ljava/nio/file/attribute/FileTime;)Ljava/lang/Long; PLokio/Okio;->buffer(Lokio/Sink;)Lokio/BufferedSink; PLokio/Okio;->buffer(Lokio/Source;)Lokio/BufferedSource; PLokio/Okio;->sink$default(Ljava/io/File;ZILjava/lang/Object;)Lokio/Sink; @@ -20808,7 +21735,7 @@ Lokio/Options; HSPLokio/Options;->()V HSPLokio/Options;->([Lokio/ByteString;[I)V HSPLokio/Options;->([Lokio/ByteString;[ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLokio/Options;->getByteStrings$okio()[Lokio/ByteString; +HPLokio/Options;->getByteStrings$okio()[Lokio/ByteString; PLokio/Options;->getTrie$okio()[I PLokio/Options;->of([Lokio/ByteString;)Lokio/Options; Lokio/Options$Companion; @@ -20818,33 +21745,33 @@ HSPLokio/Options$Companion;->buildTrieRecursive$default(Lokio/Options$Companion; HPLokio/Options$Companion;->buildTrieRecursive(JLokio/Buffer;ILjava/util/List;IILjava/util/List;)V HSPLokio/Options$Companion;->getIntCount(Lokio/Buffer;)J HPLokio/Options$Companion;->of([Lokio/ByteString;)Lokio/Options; -PLokio/OutputStreamSink;->(Ljava/io/OutputStream;Lokio/Timeout;)V +HPLokio/OutputStreamSink;->(Ljava/io/OutputStream;Lokio/Timeout;)V PLokio/OutputStreamSink;->close()V PLokio/OutputStreamSink;->flush()V HPLokio/OutputStreamSink;->write(Lokio/Buffer;J)V PLokio/Path;->()V -PLokio/Path;->(Lokio/ByteString;)V +HPLokio/Path;->(Lokio/ByteString;)V PLokio/Path;->getBytes$okio()Lokio/ByteString; PLokio/Path;->isAbsolute()Z PLokio/Path;->name()Ljava/lang/String; PLokio/Path;->nameBytes()Lokio/ByteString; PLokio/Path;->normalized()Lokio/Path; -PLokio/Path;->parent()Lokio/Path; -PLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; +HPLokio/Path;->parent()Lokio/Path; +PLokio/Path;->resolve$default(Lokio/Path;Ljava/lang/String;ZILjava/lang/Object;)Lokio/Path; +HPLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; +PLokio/Path;->resolve(Ljava/lang/String;Z)Lokio/Path; PLokio/Path;->toFile()Ljava/io/File; HPLokio/Path;->toNioPath()Ljava/nio/file/Path; PLokio/Path;->toString()Ljava/lang/String; -PLokio/Path;->volumeLetter()Ljava/lang/Character; +HPLokio/Path;->volumeLetter()Ljava/lang/Character; PLokio/Path$Companion;->()V PLokio/Path$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokio/Path$Companion;->get$default(Lokio/Path$Companion;Ljava/io/File;ZILjava/lang/Object;)Lokio/Path; PLokio/Path$Companion;->get$default(Lokio/Path$Companion;Ljava/lang/String;ZILjava/lang/Object;)Lokio/Path; PLokio/Path$Companion;->get(Ljava/io/File;Z)Lokio/Path; PLokio/Path$Companion;->get(Ljava/lang/String;Z)Lokio/Path; -PLokio/PeekSource;->(Lokio/BufferedSource;)V -PLokio/PeekSource;->read(Lokio/Buffer;J)J -PLokio/RealBufferedSink;->(Lokio/Sink;)V -PLokio/RealBufferedSink;->close()V +HPLokio/RealBufferedSink;->(Lokio/Sink;)V +HPLokio/RealBufferedSink;->close()V HPLokio/RealBufferedSink;->emitCompleteSegments()Lokio/BufferedSink; HPLokio/RealBufferedSink;->flush()V PLokio/RealBufferedSink;->getBuffer()Lokio/Buffer; @@ -20858,16 +21785,14 @@ PLokio/RealBufferedSink;->writeShort(I)Lokio/BufferedSink; HPLokio/RealBufferedSink;->writeUtf8(Ljava/lang/String;)Lokio/BufferedSink; PLokio/RealBufferedSink$outputStream$1;->(Lokio/RealBufferedSink;)V PLokio/RealBufferedSink$outputStream$1;->write([BII)V -PLokio/RealBufferedSource;->(Lokio/Source;)V +HPLokio/RealBufferedSource;->(Lokio/Source;)V PLokio/RealBufferedSource;->close()V -PLokio/RealBufferedSource;->exhausted()Z +HPLokio/RealBufferedSource;->exhausted()Z PLokio/RealBufferedSource;->getBuffer()Lokio/Buffer; PLokio/RealBufferedSource;->indexOf(BJJ)J HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;)J HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;J)J -PLokio/RealBufferedSource;->inputStream()Ljava/io/InputStream; PLokio/RealBufferedSource;->isOpen()Z -PLokio/RealBufferedSource;->peek()Lokio/BufferedSource; PLokio/RealBufferedSource;->rangeEquals(JLokio/ByteString;)Z PLokio/RealBufferedSource;->rangeEquals(JLokio/ByteString;II)Z HPLokio/RealBufferedSource;->read(Ljava/nio/ByteBuffer;)I @@ -20878,21 +21803,19 @@ PLokio/RealBufferedSource;->readInt()I PLokio/RealBufferedSource;->readIntLe()I PLokio/RealBufferedSource;->readShort()S PLokio/RealBufferedSource;->readUtf8LineStrict()Ljava/lang/String; -PLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; +HPLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; HPLokio/RealBufferedSource;->request(J)Z HPLokio/RealBufferedSource;->require(J)V PLokio/RealBufferedSource;->skip(J)V -PLokio/RealBufferedSource$inputStream$1;->(Lokio/RealBufferedSource;)V -HPLokio/RealBufferedSource$inputStream$1;->read([BII)I Lokio/Segment; HSPLokio/Segment;->()V HSPLokio/Segment;->()V -HSPLokio/Segment;->([BIIZZ)V +HPLokio/Segment;->([BIIZZ)V HPLokio/Segment;->compact()V HPLokio/Segment;->pop()Lokio/Segment; HPLokio/Segment;->push(Lokio/Segment;)Lokio/Segment; PLokio/Segment;->sharedCopy()Lokio/Segment; -PLokio/Segment;->split(I)Lokio/Segment; +HPLokio/Segment;->split(I)Lokio/Segment; HPLokio/Segment;->writeTo(Lokio/Segment;I)V Lokio/Segment$Companion; HSPLokio/Segment$Companion;->()V @@ -20919,7 +21842,7 @@ PLokio/Timeout$Companion$NONE$1;->throwIfReached()V PLokio/Utf8;->size$default(Ljava/lang/String;IIILjava/lang/Object;)J PLokio/Utf8;->size(Ljava/lang/String;II)J Lokio/_JvmPlatformKt; -HSPLokio/_JvmPlatformKt;->asUtf8ToByteArray(Ljava/lang/String;)[B +HPLokio/_JvmPlatformKt;->asUtf8ToByteArray(Ljava/lang/String;)[B PLokio/_JvmPlatformKt;->newLock()Ljava/util/concurrent/locks/ReentrantLock; HPLokio/_JvmPlatformKt;->toUtf8String([B)Ljava/lang/String; PLokio/internal/-Buffer;->()V @@ -20932,8 +21855,8 @@ HSPLokio/internal/-ByteString;->access$decodeHexDigit(C)I HPLokio/internal/-ByteString;->commonWrite(Lokio/ByteString;Lokio/Buffer;II)V HSPLokio/internal/-ByteString;->decodeHexDigit(C)I PLokio/internal/-ByteString;->getHEX_DIGIT_CHARS()[C -PLokio/internal/-FileSystem;->commonCreateDirectories(Lokio/FileSystem;Lokio/Path;Z)V -PLokio/internal/-FileSystem;->commonExists(Lokio/FileSystem;Lokio/Path;)Z +HPLokio/internal/-FileSystem;->commonCreateDirectories(Lokio/FileSystem;Lokio/Path;Z)V +HPLokio/internal/-FileSystem;->commonExists(Lokio/FileSystem;Lokio/Path;)Z PLokio/internal/-FileSystem;->commonMetadata(Lokio/FileSystem;Lokio/Path;)Lokio/FileMetadata; PLokio/internal/-Path;->()V PLokio/internal/-Path;->access$getBACKSLASH$p()Lokio/ByteString; @@ -20942,12 +21865,12 @@ PLokio/internal/-Path;->access$getIndexOfLastSlash(Lokio/Path;)I PLokio/internal/-Path;->access$getSLASH$p()Lokio/ByteString; PLokio/internal/-Path;->access$lastSegmentIsDotDot(Lokio/Path;)Z PLokio/internal/-Path;->access$rootLength(Lokio/Path;)I -PLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; +HPLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; PLokio/internal/-Path;->commonToPath(Ljava/lang/String;Z)Lokio/Path; PLokio/internal/-Path;->getIndexOfLastSlash(Lokio/Path;)I PLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; PLokio/internal/-Path;->lastSegmentIsDotDot(Lokio/Path;)Z -PLokio/internal/-Path;->rootLength(Lokio/Path;)I +HPLokio/internal/-Path;->rootLength(Lokio/Path;)I PLokio/internal/-Path;->startsWithVolumeLetterAndColon(Lokio/Buffer;Lokio/ByteString;)Z HPLokio/internal/-Path;->toPath(Lokio/Buffer;Z)Lokio/Path; PLokio/internal/-Path;->toSlash(B)Lokio/ByteString; From aa8b3e10659817cdf9308dd29c58531f4f5797f4 Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Fri, 9 Feb 2024 09:13:23 -0800 Subject: [PATCH 026/123] Prepare next development version. --- gradle.properties | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle.properties b/gradle.properties index d2591bd8f..13cfead3f 100644 --- a/gradle.properties +++ b/gradle.properties @@ -75,7 +75,7 @@ POM_DEVELOPER_ID=slackhq POM_DEVELOPER_NAME=Slack Technologies, Inc. POM_DEVELOPER_URL=https://github.com/slackhq POM_INCEPTION_YEAR=2022 -VERSION_NAME=0.19.0 +VERSION_NAME=0.20.0-SNAPSHOT circuit.mavenUrls.snapshots.sonatype=https://oss.sonatype.org/content/repositories/snapshots circuit.mavenUrls.snapshots.sonatypes01=https://s01.oss.sonatype.org/content/repositories/snapshots From b63b313f7276b0139351e6818aeb2f5cd04241a3 Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Fri, 9 Feb 2024 09:17:18 -0800 Subject: [PATCH 027/123] Update changelog --- CHANGELOG.md | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/CHANGELOG.md b/CHANGELOG.md index c8897292d..41e3a55a2 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,12 @@ Changelog **Unreleased** -------------- + +0.19.0 +------ + +_2024-02-09_ + ### Navigation with results This release introduces support for inter-screen navigation results. This is useful for scenarios where you want to pass data back to the previous screen after a navigation event, such as when a user selects an item from a list and you want to pass the selected item back to the previous screen. From cc8c23971c56d8d0a238e16dcdaf98e0531ee139 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Fri, 9 Feb 2024 12:43:02 -0500 Subject: [PATCH 028/123] Fix link --- CHANGELOG.md | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 41e3a55a2..b17816075 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -37,7 +37,7 @@ class TakePhotoPresenter { } ``` -See the [new section in the navigation docs](https://slackhq.github.io/circuit/navigation/#results) for more details, as well as [updates to the Overlays](https://slackhq.github.io/circuit/overlays/overlays/#overlay-vs-popresult) docs that help explain when to use an `Overlay` vs navigating to a `Screen` with a result. +See the [new section in the navigation docs](https://slackhq.github.io/circuit/navigation/#results) for more details, as well as [updates to the Overlays](https://slackhq.github.io/circuit/overlays/#overlay-vs-popresult) docs that help explain when to use an `Overlay` vs navigating to a `Screen` with a result. ### Support for multiple back stacks From c78696cd6ce6b71033ca80b5311ec3947edfb0cb Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Fri, 9 Feb 2024 16:59:59 -0500 Subject: [PATCH 029/123] Add another row in overlays --- docs/overlays.md | 1 + 1 file changed, 1 insertion(+) diff --git a/docs/overlays.md b/docs/overlays.md index 7647dd4eb..48e7e911f 100644 --- a/docs/overlays.md +++ b/docs/overlays.md @@ -83,5 +83,6 @@ Overlays and navigation results can accomplish similar goals, and you should cho | Supports non-saveable inputs/outputs | ✅ | ❌ | | Can participate with the caller's UI | ✅ | ❌ | | Can return multiple different result types | ❌ | ✅ | +| Works without a back stack | ✅ | ❌ | *`PopResult` is technically type-safe, but it's not as strongly typed as `Overlay` results since there is nothing inherently requiring the target screen to pop a given result type back. \ No newline at end of file From 8e7bee246c756dc14810b6d10ae0753652bae2b5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 10 Feb 2024 10:21:26 -0800 Subject: [PATCH 030/123] Update dependency mkdocs-material to v9.5.9 (#1194) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.8` -> `==9.5.9` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.9`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.9): mkdocs-material-9.5.9 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.8...9.5.9) - Fixed navigation pruning with tabs and sections enabled
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 74d731426..3ee04d471 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.5.2 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.8 +mkdocs-material==9.5.9 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7 From d6db614c0f64d621fc734ee004577a661b408055 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 11 Feb 2024 06:46:45 -0800 Subject: [PATCH 031/123] Update okio to v3.8.0 (#1195) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.squareup.okio:okio-fakefilesystem](https://togithub.com/square/okio) | dependencies | minor | `3.7.0` -> `3.8.0` | | [com.squareup.okio:okio](https://togithub.com/square/okio) | dependencies | minor | `3.7.0` -> `3.8.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
square/okio (com.squareup.okio:okio-fakefilesystem) ### [`v3.8.0`](https://togithub.com/square/okio/blob/HEAD/CHANGELOG.md#Version-380) *2024-02-09* - New: `TypedOptions` works like `Options`, but it returns a `T` rather than an index. - Fix: Don't leave sinks open when there's a race in `Pipe.fold()`.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 6c636db84..c9cbce96a 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -47,7 +47,7 @@ mosaic = "0.10.0" moshi = "1.15.1" moshix = "0.25.1" okhttp = "5.0.0-alpha.12" -okio = "3.7.0" +okio = "3.8.0" paparazzi = "1.3.2" picnic = "0.7.0" retrofit = "2.9.0" From e01c6bed09120e03d1eb4902e819fe787902569b Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Mon, 12 Feb 2024 06:37:49 -0800 Subject: [PATCH 032/123] Update dependency com.slack.eithernet:eithernet to v1.8.1 (#1198) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.slack.eithernet:eithernet](https://togithub.com/slackhq/eithernet) | dependencies | patch | `1.8.0` -> `1.8.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
slackhq/eithernet (com.slack.eithernet:eithernet) ### [`v1.8.1`](https://togithub.com/slackhq/eithernet/blob/HEAD/CHANGELOG.md#181) [Compare Source](https://togithub.com/slackhq/eithernet/compare/1.8.0...1.8.1) *2024-02-11* - **Fix**: (hopefully) fix kdocs publishing for test fixtures. - Update to Kotlin `1.9.22`.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index c9cbce96a..cd8e503d4 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -29,7 +29,7 @@ dagger = "2.50" datastore = "1.1.0-beta01" detekt = "1.23.5" dokka = "1.9.10" -eithernet = "1.8.0" +eithernet = "1.8.1" jdk = "21" jvmTarget = "11" kct = "0.4.0" From 10b03f791980df42b33246bb36a6e349bfa14c51 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 12 Feb 2024 12:40:45 -0500 Subject: [PATCH 033/123] Significantly improve FakeNavigator + small API updates around it and Navigator (#1196) See the CHANGELOG.md files for highlights, but in short: this PR significantly improves the `FakeNavigator` API and streamlines our `SaveableBackStack` init to no longer allow empty stacks. `FakeNavigator` now just uses a real back stack under the hood, making it behave more realistically and more or less just act as a recording layer over it. It also supports custom back stacks. --- CHANGELOG.md | 12 ++- .../com/slack/circuit/backstack/BackStack.kt | 12 ++- .../circuit/backstack/SaveableBackStack.kt | 45 ++++++++-- .../backstack/SaveableBackStackTest.kt | 9 +- ...vigableCircuitRetainedStateTestActivity.kt | 2 +- ...igableCircuitViewModelStateTestActivity.kt | 2 +- .../foundation/NavigatorBackHandlerTest.kt | 2 +- .../NavigableCircuitRetainedStateTest.kt | 4 +- .../NavigableCircuitSaveableStateTest.kt | 2 +- .../slack/circuit/foundation/NavigatorTest.kt | 23 ++--- .../foundation/ProvidedValuesLifetimeTest.kt | 2 +- .../com/slack/circuit/foundation/Circuit.kt | 2 +- .../circuit/foundation/CircuitContent.kt | 8 +- .../slack/circuit/foundation/NavigatorImpl.kt | 58 ++++++++---- .../slack/circuit/foundation/NavResultTest.kt | 13 ++- .../com/slack/circuit/runtime/Navigator.kt | 10 ++- .../slack/circuit/test/FakeNavigatorTest.kt | 16 ++-- .../com/slack/circuit/test/FakeNavigator.kt | 89 ++++++++++++------- .../RememberImpressionNavigatorTest.kt | 6 +- .../circuitx/effects/ImpressionEffect.kt | 9 +- .../GestureNavigationRetainedStateTest.kt | 2 +- .../GestureNavigationSaveableStateTest.kt | 2 +- .../circuitx/overlays/FullScreenOverlay.kt | 10 ++- docs/circuitx.md | 2 +- docs/navigation.md | 4 +- docs/testing.md | 2 +- docs/tutorial.md | 10 +-- .../counter/desktop/DesktopCounterCircuit.kt | 2 +- .../com/slack/circuit/star/MainActivity.kt | 4 +- .../circuit/star/home/HomePresenterTest.kt | 2 +- .../star/petdetail/PetDetailPresenterTest.kt | 5 +- .../star/petlist/PetListPresenterTest.kt | 2 +- .../kotlin/com/slack/circuit/star/main.kt | 2 +- .../circuit/tutorial/impl/MainActivityImpl.kt | 2 +- .../com/slack/circuit/tutorial/impl/main.kt | 2 +- 35 files changed, 238 insertions(+), 141 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index b17816075..bd9361aba 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,7 +3,17 @@ Changelog **Unreleased** -------------- - +- Fix `FakeNavigator.awaitNextScreen()` not suspending. +- Fix `FakeNavigator.resetRoot()` not returning the actual popped screens. +- Make `Navigator.peekBackStack()` and `Navigator.resetRoot()` return `ImmutableList`. +- Make `BackStack.popUntil()` return the `ImmutableList` of the popped records. +- Support `FakeNavigator.peekBackStack()` return the `ImmutableList` of the popped records. +- Strongly pop events and resetRoot events in `FakeNavigator`. This should offer much more information about the events. +- Use a real `BackStack` instance in `FakeNavigator` + allow for specifying a user-provided instance. +- Require an initial root screen to construct `FakeNavigator` unless using a custom `BackStack`. + - Note this slightly changes semantics, as now the root screen will not be recorded as the first `goTo` event. +- Require an initial root screen (or list of screens) for `rememberSaveableBackStack()`. +- Expose a top-level non-composable `Navigator()` factory function. 0.19.0 ------ diff --git a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt index f6bbdf7eb..c1ff59519 100644 --- a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt +++ b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt @@ -19,6 +19,9 @@ import androidx.compose.runtime.Stable import com.slack.circuit.backstack.BackStack.Record import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen +import kotlinx.collections.immutable.ImmutableList +import kotlinx.collections.immutable.mutate +import kotlinx.collections.immutable.persistentListOf /** * A caller-supplied stack of [Record]s for presentation with a `Navigator`. Iteration order is @@ -63,8 +66,13 @@ public interface BackStack : Iterable { /** * Pop records off the top of the backstack until one is found that matches the given predicate. */ - public fun popUntil(predicate: (R) -> Boolean) { - while (topRecord?.let(predicate) == false) pop() + public fun popUntil(predicate: (R) -> Boolean): ImmutableList { + return persistentListOf().mutate { + while (topRecord?.let(predicate) == false) { + val popped = pop() ?: break + it.add(popped) + } + } } /** diff --git a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt index b7ec0c194..9ee2a4546 100644 --- a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt +++ b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt @@ -28,24 +28,57 @@ import kotlinx.coroutines.CompletableDeferred import kotlinx.coroutines.channels.BufferOverflow import kotlinx.coroutines.channels.Channel +/** + * Creates and remembers a [SaveableBackStack] with the given [root] screen. + * + * @param init optional initializer callback to perform extra initialization logic. + */ +@Composable +public fun rememberSaveableBackStack( + root: Screen, + init: SaveableBackStack.() -> Unit = {}, +): SaveableBackStack = + rememberSaveable(saver = SaveableBackStack.Saver) { SaveableBackStack(root).apply(init) } + +/** + * Creates and remembers a [SaveableBackStack] filled with the given [initialScreens]. + * [initialScreens] must not be empty. + */ @Composable -public fun rememberSaveableBackStack(init: SaveableBackStack.() -> Unit): SaveableBackStack = - rememberSaveable(saver = SaveableBackStack.Saver) { - SaveableBackStack().apply(init).also { - check(!it.isEmpty) { "Backstack must be non-empty after init." } +public fun rememberSaveableBackStack(initialScreens: List): SaveableBackStack { + require(initialScreens.isNotEmpty()) { "Initial input screens cannot be empty!" } + return rememberSaveable(saver = SaveableBackStack.Saver) { + SaveableBackStack(null).apply { + for (screen in initialScreens) { + push(screen) + } } } +} /** * A [BackStack] that supports saving its state via [rememberSaveable]. See * [rememberSaveableBackStack]. */ -public class SaveableBackStack : BackStack { +public class SaveableBackStack +internal constructor( + nullableRootRecord: Record?, + // Unused marker just to differentiate the internal constructor on the JVM. + @Suppress("UNUSED_PARAMETER") internalConstructorMarker: Any? = null, +) : BackStack { + + public constructor(initialRecord: Record) : this(nullableRootRecord = initialRecord) + + public constructor(root: Screen) : this(Record(root)) // Both visible for testing internal val entryList = mutableStateListOf() internal val stateStore = mutableMapOf>() + init { + nullableRootRecord?.let(::push) + } + override val size: Int get() = entryList.size @@ -176,7 +209,7 @@ public class SaveableBackStack : BackStack { }, restore = { value -> @Suppress("UNCHECKED_CAST") - SaveableBackStack().also { backStack -> + SaveableBackStack(null).also { backStack -> value.forEachIndexed { index, list -> if (index == 0) { // The first list is the entry list diff --git a/backstack/src/commonTest/kotlin/com/slack/circuit/backstack/SaveableBackStackTest.kt b/backstack/src/commonTest/kotlin/com/slack/circuit/backstack/SaveableBackStackTest.kt index 2bf2cf9a4..c6f169ecc 100644 --- a/backstack/src/commonTest/kotlin/com/slack/circuit/backstack/SaveableBackStackTest.kt +++ b/backstack/src/commonTest/kotlin/com/slack/circuit/backstack/SaveableBackStackTest.kt @@ -16,8 +16,7 @@ class SaveableBackStackTest { @Test fun test_save_and_restore_backstack_state() { - val backStack = SaveableBackStack() - backStack.push(TestScreen.RootAlpha) + val backStack = SaveableBackStack(TestScreen.RootAlpha) backStack.push(TestScreen.ScreenA) backStack.push(TestScreen.ScreenB) @@ -61,8 +60,7 @@ class SaveableBackStackTest { @Test fun test_saveable_save_and_restore() { - val backStack = SaveableBackStack() - backStack.push(TestScreen.RootAlpha) + val backStack = SaveableBackStack(TestScreen.RootAlpha) backStack.push(TestScreen.ScreenA) backStack.push(TestScreen.ScreenB) @@ -80,8 +78,7 @@ class SaveableBackStackTest { @Test fun test_saveable_save_and_restore_with_backstack_state() { - val backStack = SaveableBackStack() - backStack.push(TestScreen.RootAlpha) + val backStack = SaveableBackStack(TestScreen.RootAlpha) backStack.push(TestScreen.ScreenA) backStack.push(TestScreen.ScreenB) diff --git a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt index 98128e20b..01f5c7c62 100644 --- a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt +++ b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTestActivity.kt @@ -19,7 +19,7 @@ class NavigableCircuitRetainedStateTestActivity : ComponentActivity() { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt index 96720302c..b3e162c56 100644 --- a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt +++ b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigableCircuitViewModelStateTestActivity.kt @@ -19,7 +19,7 @@ class NavigableCircuitViewModelStateTestActivity : ComponentActivity() { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt index b545a0e89..3e0fe4f3f 100644 --- a/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt +++ b/circuit-foundation/src/androidUnitTest/kotlin/com/slack/circuit/foundation/NavigatorBackHandlerTest.kt @@ -29,7 +29,7 @@ class NavigatorBackHandlerTest { lateinit var navigator: Navigator composeTestRule.setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) navigator = rememberCircuitNavigator(backStack = backStack) NavigableCircuitContent(navigator = navigator, backStack = backStack) } diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt index d5e51bec4..b4dc512d2 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitRetainedStateTest.kt @@ -44,7 +44,7 @@ class NavigableCircuitRetainedStateTest { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) val navigator = rememberCircuitNavigator( backStack = backStack, @@ -115,7 +115,7 @@ class NavigableCircuitRetainedStateTest { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.RootAlpha) } + val backStack = rememberSaveableBackStack(TestScreen.RootAlpha) val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt index 446c28ab8..30703d057 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigableCircuitSaveableStateTest.kt @@ -38,7 +38,7 @@ class NavigableCircuitSaveableStateTest { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt index aee0d7569..66d2bf0c6 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt @@ -8,7 +8,6 @@ import com.slack.circuit.internal.test.Parcelize import com.slack.circuit.runtime.popUntil import com.slack.circuit.runtime.screen.Screen import kotlin.test.assertEquals -import kotlin.test.assertFailsWith import kotlin.test.assertTrue import kotlin.test.fail import org.junit.Test @@ -22,17 +21,9 @@ import org.junit.runner.RunWith @RunWith(ComposeUiTestRunner::class) class NavigatorTest { - @Test - fun errorWhenBackstackIsEmpty() { - val backStack = SaveableBackStack() - val t = assertFailsWith { NavigatorImpl(backStack) {} } - assertThat(t).hasMessageThat().contains("Backstack size must not be empty.") - } - @Test fun popAtRoot() { - val backStack = SaveableBackStack() - backStack.push(TestScreen) + val backStack = SaveableBackStack(TestScreen) backStack.push(TestScreen) var onRootPop = 0 @@ -52,8 +43,7 @@ class NavigatorTest { @Test fun resetRoot() { - val backStack = SaveableBackStack() - backStack.push(TestScreen) + val backStack = SaveableBackStack(TestScreen) backStack.push(TestScreen2) val navigator = NavigatorImpl(backStack) { fail() } @@ -70,8 +60,7 @@ class NavigatorTest { @Test fun popUntil() { - val backStack = SaveableBackStack() - backStack.push(TestScreen) + val backStack = SaveableBackStack(TestScreen) backStack.push(TestScreen2) backStack.push(TestScreen3) @@ -88,8 +77,7 @@ class NavigatorTest { @Test fun popUntilRoot() { var onRootPopped = false - val backStack = SaveableBackStack() - backStack.push(TestScreen) + val backStack = SaveableBackStack(TestScreen) backStack.push(TestScreen2) backStack.push(TestScreen3) @@ -106,8 +94,7 @@ class NavigatorTest { @Test fun peek() { - val backStack = SaveableBackStack() - backStack.push(TestScreen) + val backStack = SaveableBackStack(TestScreen) backStack.push(TestScreen2) val navigator = NavigatorImpl(backStack) { fail() } diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt index d2f3eb4c9..6df9f1094 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/ProvidedValuesLifetimeTest.kt @@ -49,7 +49,7 @@ class ProvidedValuesLifetimeTest { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt index 5a01d3d4e..bba593a7f 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/Circuit.kt @@ -52,7 +52,7 @@ import com.slack.circuit.runtime.ui.ui * If using navigation, use `NavigableCircuitContent` instead. * * ```kotlin - * val backStack = rememberSaveableBackStack { push(AddFavoritesScreen()) } + * val backStack = rememberSaveableBackStack(root = HomeScreen) * val navigator = rememberCircuitNavigator(backstack, ::onBackPressed) * CircuitCompositionLocals(circuit) { * NavigableCircuitContent(navigator, backstack) diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt index 6242343b4..f5fdd877b 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt @@ -17,6 +17,8 @@ import com.slack.circuit.runtime.presenter.Presenter import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen import com.slack.circuit.runtime.ui.Ui +import kotlinx.collections.immutable.ImmutableList +import kotlinx.collections.immutable.persistentListOf @Composable public fun CircuitContent( @@ -49,9 +51,9 @@ public fun CircuitContent( newRoot: Screen, saveState: Boolean, restoreState: Boolean, - ): List { + ): ImmutableList { onNavEvent(NavEvent.ResetRoot(newRoot, saveState, restoreState)) - return emptyList() + return persistentListOf() } override fun pop(result: PopResult?): Screen? { @@ -61,7 +63,7 @@ public fun CircuitContent( override fun peek(): Screen = screen - override fun peekBackStack(): List = listOf(screen) + override fun peekBackStack(): ImmutableList = persistentListOf(screen) } } CircuitContent(screen, navigator, modifier, circuit, unavailableContent) diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt index 027c6a329..742fedc99 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt @@ -12,9 +12,12 @@ import com.slack.circuit.backstack.isEmpty import com.slack.circuit.runtime.Navigator import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen +import kotlinx.collections.immutable.ImmutableList +import kotlinx.collections.immutable.mutate +import kotlinx.collections.immutable.persistentListOf /** - * Returns a new [Navigator] for navigating within [CircuitContents][CircuitContent]. + * Creates and remembers a new [Navigator] for navigating within [CircuitContents][CircuitContent]. * * @param backStack The backing [BackStack] to navigate. * @param onRootPop Invoked when the backstack is at root (size 1) and the user presses the back @@ -26,9 +29,20 @@ public fun rememberCircuitNavigator( backStack: BackStack, onRootPop: () -> Unit, ): Navigator { - return remember { NavigatorImpl(backStack, onRootPop) } + return remember { Navigator(backStack, onRootPop) } } +/** + * Creates a new [Navigator]. + * + * @param backStack The backing [BackStack] to navigate. + * @param onRootPop Invoked when the backstack is at root (size 1) and the user presses the back + * button. + * @see NavigableCircuitContent + */ +public fun Navigator(backStack: BackStack, onRootPop: () -> Unit): Navigator = + NavigatorImpl(backStack, onRootPop) + internal class NavigatorImpl( private val backStack: BackStack, private val onRootPop: () -> Unit, @@ -53,23 +67,27 @@ internal class NavigatorImpl( override fun peek(): Screen? = backStack.firstOrNull()?.screen - override fun peekBackStack(): List = backStack.map { it.screen } - - override fun resetRoot(newRoot: Screen, saveState: Boolean, restoreState: Boolean): List { - val currentStack = backStack.map(Record::screen) + override fun peekBackStack(): ImmutableList = backStack.mapToImmutableList { it.screen } + override fun resetRoot( + newRoot: Screen, + saveState: Boolean, + restoreState: Boolean, + ): ImmutableList { // Run this in a mutable snapshot (bit like a transaction) - Snapshot.withMutableSnapshot { - if (saveState) backStack.saveState() - // Pop everything off the back stack - backStack.popUntil { false } - - // If we're not restoring state, or the restore didn't work, we need to push the new root - // onto the stack - if (!restoreState || !backStack.restoreState(newRoot)) { - backStack.push(newRoot) + val currentStack = + Snapshot.withMutableSnapshot { + if (saveState) backStack.saveState() + // Pop everything off the back stack + val popped = backStack.popUntil { false }.mapToImmutableList { it.screen } + + // If we're not restoring state, or the restore didn't work, we need to push the new root + // onto the stack + if (!restoreState || !backStack.restoreState(newRoot)) { + backStack.push(newRoot) + } + popped } - } return currentStack } @@ -96,3 +114,11 @@ internal class NavigatorImpl( return "NavigatorImpl(backStack=$backStack, onRootPop=$onRootPop)" } } + +private inline fun Iterable.mapToImmutableList(transform: (T) -> R): ImmutableList { + return persistentListOf().mutate { + for (element in this@mapToImmutableList) { + it.add(transform(element)) + } + } +} diff --git a/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt b/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt index d284f00e4..135d56d49 100644 --- a/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt +++ b/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/NavResultTest.kt @@ -113,10 +113,7 @@ class NavResultTest { composeTestRule.run { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { - push(WrapperScreen) - backStackRef = this - } + val backStack = rememberSaveableBackStack(WrapperScreen) { backStackRef = this } val navigator = rememberCircuitNavigator( backStack = backStack, @@ -138,10 +135,10 @@ class NavResultTest { lateinit var returnedStack: SaveableBackStack setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { - push(TestResultScreen("root", answer = false)) - returnedStack = this - } + val backStack = + rememberSaveableBackStack(TestResultScreen("root", answer = false)) { + returnedStack = this + } val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt index 5e7b37760..899b47967 100644 --- a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt +++ b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt @@ -5,6 +5,8 @@ package com.slack.circuit.runtime import androidx.compose.runtime.Stable import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen +import kotlinx.collections.immutable.ImmutableList +import kotlinx.collections.immutable.persistentListOf /** A Navigator that only supports [goTo]. */ @Stable @@ -23,7 +25,7 @@ public interface Navigator : GoToNavigator { public fun peek(): Screen? /** Returns the current back stack. */ - public fun peekBackStack(): List + public fun peekBackStack(): ImmutableList /** * Clear the existing backstack of [screens][Screen] and navigate to [newRoot]. @@ -76,7 +78,7 @@ public interface Navigator : GoToNavigator { newRoot: Screen, saveState: Boolean = false, restoreState: Boolean = false, - ): List + ): ImmutableList public object NoOp : Navigator { override fun goTo(screen: Screen) {} @@ -85,13 +87,13 @@ public interface Navigator : GoToNavigator { override fun peek(): Screen? = null - override fun peekBackStack(): List = emptyList() + override fun peekBackStack(): ImmutableList = persistentListOf() override fun resetRoot( newRoot: Screen, saveState: Boolean, restoreState: Boolean, - ): List = emptyList() + ): ImmutableList = persistentListOf() } } diff --git a/circuit-test/src/androidUnitTest/kotlin/com/slack/circuit/test/FakeNavigatorTest.kt b/circuit-test/src/androidUnitTest/kotlin/com/slack/circuit/test/FakeNavigatorTest.kt index 5c2301c09..8f5375e26 100644 --- a/circuit-test/src/androidUnitTest/kotlin/com/slack/circuit/test/FakeNavigatorTest.kt +++ b/circuit-test/src/androidUnitTest/kotlin/com/slack/circuit/test/FakeNavigatorTest.kt @@ -4,6 +4,7 @@ package com.slack.circuit.test import com.google.common.truth.Truth.assertThat import com.slack.circuit.runtime.screen.Screen +import com.slack.circuit.test.FakeNavigator.ResetRootEvent import kotlinx.coroutines.test.runTest import kotlinx.parcelize.Parcelize import org.junit.Test @@ -11,24 +12,27 @@ import org.junit.Test class FakeNavigatorTest { @Test fun `resetRoot - ensure resetRoot returns old screens in proper order`() = runTest { - val navigator = FakeNavigator() - navigator.goTo(TestScreen1) + val navigator = FakeNavigator(TestScreen1) navigator.goTo(TestScreen2) + assertThat(navigator.peek()).isEqualTo(TestScreen2) + assertThat(navigator.peekBackStack()).isEqualTo(listOf(TestScreen2, TestScreen1)) val oldScreens = navigator.resetRoot(TestScreen3) assertThat(oldScreens).isEqualTo(listOf(TestScreen2, TestScreen1)) - assertThat(navigator.awaitResetRoot()).isEqualTo(TestScreen3) + assertThat(navigator.awaitResetRoot()).isEqualTo(ResetRootEvent(TestScreen3, oldScreens)) + assertThat(navigator.peek()).isEqualTo(TestScreen3) + assertThat(navigator.peekBackStack()).isEqualTo(listOf(TestScreen3)) } @Test fun resetRoot() = runTest { - val navigator = FakeNavigator() + val navigator = FakeNavigator(TestScreen1) val oldScreens = navigator.resetRoot(TestScreen1) - assertThat(oldScreens).isEmpty() - assertThat(navigator.awaitResetRoot()).isEqualTo(TestScreen1) + assertThat(oldScreens).containsExactly(TestScreen1) + assertThat(navigator.awaitResetRoot()).isEqualTo(ResetRootEvent(TestScreen1, oldScreens)) } } diff --git a/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt b/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt index e776d43a7..0fcf5e8b2 100644 --- a/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt +++ b/circuit-test/src/commonMain/kotlin/com/slack/circuit/test/FakeNavigator.kt @@ -3,17 +3,25 @@ package com.slack.circuit.test import app.cash.turbine.Turbine +import com.slack.circuit.backstack.BackStack +import com.slack.circuit.backstack.SaveableBackStack +import com.slack.circuit.foundation.Navigator import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.resetRoot import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen +import kotlinx.collections.immutable.ImmutableList /** * A fake [Navigator] that can be used in tests to record and assert navigation events. * + * This navigator acts as a real navigator for all intents and purposes, navigating either a given + * [BackStack] or using a simple real one under the hood if one isn't provided. + * * Example * * ```kotlin - * val navigator = FakeNavigator() + * val navigator = FakeNavigator(FavoritesScreen) * val presenter = FavoritesPresenter(navigator) * * presenter.test { @@ -24,36 +32,44 @@ import com.slack.circuit.runtime.screen.Screen * } * ``` */ -public class FakeNavigator(initialScreen: Screen? = null) : Navigator { - private val navigatedScreens = ArrayDeque().apply { initialScreen?.let(::add) } - private val newRoots = Turbine() - private val pops = Turbine() - private val results = Turbine() +public class FakeNavigator internal constructor(private val delegate: Navigator) : + Navigator by delegate { + public constructor( + backStack: BackStack + ) : this( + // Use a real navigator. This fake more or less just decorates it and intercepts events + Navigator(backStack) {} + ) + + public constructor( + root: Screen + ) : this( + // Use a real back stack + SaveableBackStack(root) + ) + + private val goToEvents = Turbine() + private val resetRootEvents = Turbine() + private val popEvents = Turbine() override fun goTo(screen: Screen) { - navigatedScreens.add(screen) + delegate.goTo(screen) + goToEvents.add(screen) } override fun pop(result: PopResult?): Screen? { - pops.add(Unit) - result?.let(results::add) - return navigatedScreens.removeLastOrNull() + val popped = delegate.pop(result) + popEvents.add(PopEvent(popped, result)) + return popped } - override fun peek(): Screen? = navigatedScreens.lastOrNull() - - override fun peekBackStack(): List { - error("peekBackStack() is not supported in FakeNavigator") - } - - override fun resetRoot(newRoot: Screen, saveState: Boolean, restoreState: Boolean): List { - newRoots.add(newRoot) - // Note: to simulate popping off the backstack, screens should be returned in the reverse - // order that they were added. As the channel returns them in the order they were added, we - // need to reverse here before returning. - val oldScreens = navigatedScreens.toList().reversed() - navigatedScreens.clear() - + override fun resetRoot( + newRoot: Screen, + saveState: Boolean, + restoreState: Boolean, + ): ImmutableList { + val oldScreens = delegate.resetRoot(newRoot, saveState, restoreState) + resetRootEvents.add(ResetRootEvent(newRoot, oldScreens, saveState, restoreState)) return oldScreens } @@ -62,26 +78,35 @@ public class FakeNavigator(initialScreen: Screen? = null) : Navigator { * * For non-coroutines users only. */ - public fun takeNextScreen(): Screen = navigatedScreens.removeFirst() + public fun takeNextScreen(): Screen = goToEvents.takeItem() /** Awaits the next [Screen] that was navigated to or throws if no screens were navigated to. */ - // TODO suspend isn't necessary here anymore but left for backwards compatibility - @Suppress("RedundantSuspendModifier") - public suspend fun awaitNextScreen(): Screen = navigatedScreens.removeFirst() + public suspend fun awaitNextScreen(): Screen = goToEvents.awaitItem() /** Awaits the next navigation [resetRoot] or throws if no resets were performed. */ - public suspend fun awaitResetRoot(): Screen = newRoots.awaitItem() + public suspend fun awaitResetRoot(): ResetRootEvent = resetRootEvents.awaitItem() /** Awaits the next navigation [pop] event or throws if no pops are performed. */ - public suspend fun awaitPop(): Unit = pops.awaitItem() + public suspend fun awaitPop(): PopEvent = popEvents.awaitItem() /** Asserts that all events so far have been consumed. */ public fun assertIsEmpty() { - check(navigatedScreens.isEmpty()) + goToEvents.ensureAllEventsConsumed() } /** Asserts that no events have been emitted. */ public fun expectNoEvents() { - check(navigatedScreens.isEmpty()) + goToEvents.expectNoEvents() } + + /** Represents a recorded [Navigator.pop] event. */ + public data class PopEvent(val poppedScreen: Screen?, val result: PopResult? = null) + + /** Represents a recorded [Navigator.resetRoot] event. */ + public data class ResetRootEvent( + val newRoot: Screen, + val oldScreens: ImmutableList, + val saveState: Boolean = false, + val restoreState: Boolean = false, + ) } diff --git a/circuitx/effects/src/androidUnitTest/kotlin/com/slack/circuitx/effects/RememberImpressionNavigatorTest.kt b/circuitx/effects/src/androidUnitTest/kotlin/com/slack/circuitx/effects/RememberImpressionNavigatorTest.kt index 395b35cd4..6e9d23c8d 100644 --- a/circuitx/effects/src/androidUnitTest/kotlin/com/slack/circuitx/effects/RememberImpressionNavigatorTest.kt +++ b/circuitx/effects/src/androidUnitTest/kotlin/com/slack/circuitx/effects/RememberImpressionNavigatorTest.kt @@ -41,7 +41,7 @@ class RememberImpressionNavigatorTest { @get:Rule val composeTestRule = createComposeRule() - private val fakeNavigator = FakeNavigator() + private val fakeNavigator = FakeNavigator(TestRootScreen) private val registry = RetainedStateRegistry() private val composed = MutableStateFlow(true) @@ -127,10 +127,12 @@ class RememberImpressionNavigatorTest { // Navigation reset onNodeWithTag(TAG_RESET).performClick() advanceTimeByAndRun(1) - assertEquals(TestResetScreen, fakeNavigator.awaitResetRoot()) + assertEquals(TestResetScreen, fakeNavigator.awaitResetRoot().newRoot) } } + @Parcelize private data object TestRootScreen : Screen + @Parcelize private data object TestGoToScreen : Screen @Parcelize private data object TestResetScreen : Screen diff --git a/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt b/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt index a835ad148..53e7f2834 100644 --- a/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt +++ b/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt @@ -14,6 +14,7 @@ import com.slack.circuit.retained.rememberRetained import com.slack.circuit.runtime.Navigator import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen +import kotlinx.collections.immutable.ImmutableList /** * A side effect that will run an [impression]. This [impression] will run only once until it is @@ -83,9 +84,13 @@ private class OnNavEventNavigator(val delegate: Navigator, val onNavEvent: () -> override fun peek(): Screen? = delegate.peek() - override fun peekBackStack(): List = delegate.peekBackStack() + override fun peekBackStack(): ImmutableList = delegate.peekBackStack() - override fun resetRoot(newRoot: Screen, saveState: Boolean, restoreState: Boolean): List { + override fun resetRoot( + newRoot: Screen, + saveState: Boolean, + restoreState: Boolean, + ): ImmutableList { onNavEvent() return delegate.resetRoot(newRoot, saveState, restoreState) } diff --git a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt index c0a70ab9a..765d59d87 100644 --- a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt +++ b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationRetainedStateTest.kt @@ -64,7 +64,7 @@ class GestureNavigationRetainedStateTest { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt index 6b5b05c8a..a3594c905 100644 --- a/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt +++ b/circuitx/gesture-navigation/src/androidUnitTest/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationSaveableStateTest.kt @@ -64,7 +64,7 @@ class GestureNavigationSaveableStateTest { setContent { CircuitCompositionLocals(circuit) { - val backStack = rememberSaveableBackStack { push(TestScreen.ScreenA) } + val backStack = rememberSaveableBackStack(TestScreen.ScreenA) val navigator = rememberCircuitNavigator( backStack = backStack, diff --git a/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt b/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt index 1f3e0d9f5..59e56a9a3 100644 --- a/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt +++ b/circuitx/overlays/src/commonMain/kotlin/com/slack/circuitx/overlays/FullScreenOverlay.kt @@ -15,6 +15,8 @@ import com.slack.circuit.overlay.OverlayNavigator import com.slack.circuit.runtime.Navigator import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen +import kotlinx.collections.immutable.ImmutableList +import kotlinx.collections.immutable.persistentListOf /** * Shows a full screen overlay with the given [screen]. As the name suggests, this overlay takes @@ -77,9 +79,13 @@ internal class DispatchingOverlayNavigator( override fun peek(): Screen = currentScreen - override fun peekBackStack(): List = listOf(currentScreen) + override fun peekBackStack(): ImmutableList = persistentListOf(currentScreen) - override fun resetRoot(newRoot: Screen, saveState: Boolean, restoreState: Boolean): List { + override fun resetRoot( + newRoot: Screen, + saveState: Boolean, + restoreState: Boolean, + ): ImmutableList { error("resetRoot() is not supported in full screen overlays!") } } diff --git a/docs/circuitx.md b/docs/circuitx.md index 7d24171f8..2b39ecb32 100644 --- a/docs/circuitx.md +++ b/docs/circuitx.md @@ -32,7 +32,7 @@ with `rememberAndroidScreenAwareNavigator()`. class MainActivity : Activity { override fun onCreate(savedInstanceState: Bundle?) { setContent { - val backStack = rememberSaveableBackStack { push(HomeScreen) } + val backStack = rememberSaveableBackStack(root = HomeScreen) val navigator = rememberAndroidScreenAwareNavigator( rememberCircuitNavigator(backstack), // Decorated navigator this@MainActivity diff --git a/docs/navigation.md b/docs/navigation.md index 00f7a3e09..39fc66cbe 100644 --- a/docs/navigation.md +++ b/docs/navigation.md @@ -10,7 +10,7 @@ A new navigable content surface is handled via the `NavigableCircuitContent` fun ```kotlin setContent { - val backStack = rememberSaveableBackStack { push(HomeScreen) } + val backStack = rememberSaveableBackStack(root = HomeScreen) val navigator = rememberCircuitNavigator(backStack) NavigableCircuitContent(navigator, backStack) } @@ -35,7 +35,7 @@ If you want to have custom behavior for when back is pressed on the root screen ```kotlin setContent { - val backStack = rememberSaveableBackStack { push(HomeScreen) } + val backStack = rememberSaveableBackStack(root = HomeScreen) BackHandler(onBack = { /* do something on root */ }) // The Navigator's internal BackHandler will take precedence until it is at the root screen. val navigator = rememberCircuitNavigator(backstack) diff --git a/docs/testing.md b/docs/testing.md index bc01b0f4a..4b671e7f9 100644 --- a/docs/testing.md +++ b/docs/testing.md @@ -6,7 +6,7 @@ Circuit is designed to make testing as easy as possible. Its core components are Circuit will have a test artifact containing APIs to aid testing both presenters and composable UIs: - `Presenter.test()` - an extension function that bridges the Compose and coroutines world. Use of this function is recommended for testing presenter state emissions and incoming UI events. Under the hood it leverages [Molecule](https://github.com/cashapp/molecule) and [Turbine](https://github.com/cashapp/turbine). -- `FakeNavigator` - a test fake implementing the Circuit/Navigator interface. Use of this object is recommended when testing screen navigation (ie. goTo, pop/back). +- `FakeNavigator` - a test fake implementing the `Navigator` interface. Use of this object is recommended when testing screen navigation (ie. goTo, pop/back). This acts as a real navigator and exposes recorded information for testing purposes. - `TestEventSink` - a generic test fake for recording and asserting event emissions through an event sink function. ## Installation diff --git a/docs/tutorial.md b/docs/tutorial.md index 6d23a06cf..d0999d65f 100644 --- a/docs/tutorial.md +++ b/docs/tutorial.md @@ -286,10 +286,7 @@ This is the most basic way to render a `Screen`. These can be top-level UIs or n An app architecture isn't complete without navigation. Circuit provides a simple navigation API that's focused around a simple `BackStack` ([docs](https://slackhq.github.io/circuit/api/0.x/backstack/com.slack.circuit.backstack/-back-stack/index.html)) that is navigated via a `Navigator` interface ([docs]()). In most cases, you can use the built-in `SaveableBackStack` implementation ([docs](https://slackhq.github.io/circuit/api/0.x/backstack/com.slack.circuit.backstack/-saveable-back-stack/index.html)), which is saved and restored in accordance with whatever the platform's `rememberSaveable` implementation is. ```kotlin title="Creating a backstack and navigator" -val backStack = rememberSaveableBackStack { - // Push your root screen - push(InboxScreen) -} +val backStack = rememberSaveableBackStack(root = InboxScreen) val navigator = rememberCircuitNavigator(backStack) { // Do something when the root screen is popped, usually exiting the app } @@ -306,10 +303,7 @@ This composable will automatically manage the backstack and navigation for you, Like with `Circuit`, this is usually a one-time setup in your application at its primary entry point. ```kotlin title="Putting it all together" -val backStack = rememberSaveableBackStack { - // Push your root screen - push(InboxScreen) -} +val backStack = rememberSaveableBackStack(root = InboxScreen) val navigator = rememberCircuitNavigator(backStack) { // Do something when the root screen is popped, usually exiting the app } diff --git a/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt b/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt index b4bfbb07f..8be0f2496 100644 --- a/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt +++ b/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt @@ -151,7 +151,7 @@ fun main() = application { onCloseRequest = ::exitApplication, ) { val initialBackStack = persistentListOf(DesktopCounterScreen) - val backStack = rememberSaveableBackStack { initialBackStack.forEach(::push) } + val backStack = rememberSaveableBackStack(initialBackStack) val navigator = rememberCircuitNavigator(backStack, ::exitApplication) val circuit: Circuit = diff --git a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt index d40e1545b..9fdfcd9c0 100644 --- a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt +++ b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/MainActivity.kt @@ -68,9 +68,7 @@ class MainActivity @Inject constructor(private val circuit: Circuit) : AppCompat StarTheme { // TODO why isn't the windowBackground enough so we don't need to do this? Surface(color = MaterialTheme.colorScheme.background) { - val backStack = rememberSaveableBackStack { - initialBackstack.forEach { screen -> push(screen) } - } + val backStack = rememberSaveableBackStack(initialBackstack) val circuitNavigator = rememberCircuitNavigator(backStack) val navigator = rememberAndroidScreenAwareNavigator(circuitNavigator, this::goTo) CircuitCompositionLocals(circuit) { diff --git a/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/home/HomePresenterTest.kt b/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/home/HomePresenterTest.kt index c8e4da7a7..406678641 100644 --- a/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/home/HomePresenterTest.kt +++ b/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/home/HomePresenterTest.kt @@ -17,7 +17,7 @@ import org.robolectric.RobolectricTestRunner class HomePresenterTest { @Test fun changeIndices() = runTest { - moleculeFlow(RecompositionMode.Immediate) { HomePresenter(FakeNavigator()) } + moleculeFlow(RecompositionMode.Immediate) { HomePresenter(FakeNavigator(HomeScreen)) } .test { // Initial index is 0. val firstState = awaitItem() diff --git a/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petdetail/PetDetailPresenterTest.kt b/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petdetail/PetDetailPresenterTest.kt index c8d8e6137..b82a8f99d 100644 --- a/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petdetail/PetDetailPresenterTest.kt +++ b/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petdetail/PetDetailPresenterTest.kt @@ -18,12 +18,11 @@ import org.robolectric.RobolectricTestRunner @RunWith(RobolectricTestRunner::class) class PetDetailPresenterTest { - private val navigator = FakeNavigator() - @Test fun `present - emit loading state then no animal state`() = runTest { val repository = TestRepository(emptyList()) val screen = PetDetailScreen(123L, "key") + val navigator = FakeNavigator(screen) val presenter = PetDetailPresenter(screen, navigator, repository) presenter.test { @@ -37,6 +36,7 @@ class PetDetailPresenterTest { val animal = PetListPresenterTest.animal val repository = TestRepository(listOf(animal)) val screen = PetDetailScreen(animal.id, animal.primaryPhotoUrl) + val navigator = FakeNavigator(screen) val presenter = PetDetailPresenter(screen, navigator, repository) presenter.test { @@ -55,6 +55,7 @@ class PetDetailPresenterTest { val animal = PetListPresenterTest.animal val repository = TestRepository(listOf(animal)) val screen = PetDetailScreen(animal.id, animal.primaryPhotoUrl) + val navigator = FakeNavigator(screen) val presenter = PetDetailPresenter(screen, navigator, repository) presenter.test { diff --git a/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petlist/PetListPresenterTest.kt b/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petlist/PetListPresenterTest.kt index 0c7fc03f8..6dbcae545 100644 --- a/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petlist/PetListPresenterTest.kt +++ b/samples/star/src/androidUnitTest/kotlin/com/slack/circuit/star/petlist/PetListPresenterTest.kt @@ -24,7 +24,7 @@ import org.robolectric.RobolectricTestRunner @RunWith(RobolectricTestRunner::class) class PetListPresenterTest { - private val navigator = FakeNavigator() + private val navigator = FakeNavigator(PetListScreen) @Test fun `present - emit loading state then no animals state`() = runTest { diff --git a/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt b/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt index 9297a6af9..9db26d77b 100644 --- a/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt +++ b/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt @@ -40,7 +40,7 @@ fun main() { SingletonImageLoader.setSafe { component.imageLoader } application { val initialBackStack = persistentListOf(HomeScreen) - val backStack = rememberSaveableBackStack { initialBackStack.forEach(::push) } + val backStack = rememberSaveableBackStack(initialBackStack) val circuitNavigator = rememberCircuitNavigator(backStack, ::exitApplication) val navigator = remember(circuitNavigator) { diff --git a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt index d914bb5c9..1cb46e2b8 100644 --- a/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt +++ b/samples/tutorial/src/androidMain/kotlin/com/slack/circuit/tutorial/impl/MainActivityImpl.kt @@ -23,7 +23,7 @@ fun MainActivity.tutorialOnCreate() { .build() setContent { MaterialTheme { - val backStack = rememberSaveableBackStack { push(InboxScreen) } + val backStack = rememberSaveableBackStack(InboxScreen) val navigator = rememberCircuitNavigator(backStack) CircuitCompositionLocals(circuit) { NavigableCircuitContent(navigator = navigator, backStack = backStack) diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt index 62d692bc9..7844e0b45 100644 --- a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt @@ -24,7 +24,7 @@ fun main() { application { Window(title = "Tutorial", onCloseRequest = ::exitApplication) { MaterialTheme { - val backStack = rememberSaveableBackStack { push(InboxScreen) } + val backStack = rememberSaveableBackStack(InboxScreen) val navigator = rememberCircuitNavigator(backStack, ::exitApplication) CircuitCompositionLocals(circuit) { NavigableCircuitContent(navigator = navigator, backStack = backStack) From 85a8dc1d4473a0695eb02b120c020b8b9492d0b5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Mon, 12 Feb 2024 10:34:39 -0800 Subject: [PATCH 034/123] Update baseline profiles (#1205) --- backstack/src/androidMain/baseline-prof.txt | 15 +- .../src/androidMain/baseline-prof.txt | 1 + .../baselineProfiles/baseline-prof.txt | 721 ++++++++---------- .../baselineProfiles/startup-prof.txt | 721 ++++++++---------- 4 files changed, 639 insertions(+), 819 deletions(-) diff --git a/backstack/src/androidMain/baseline-prof.txt b/backstack/src/androidMain/baseline-prof.txt index a4f2a462a..78ef92c74 100644 --- a/backstack/src/androidMain/baseline-prof.txt +++ b/backstack/src/androidMain/baseline-prof.txt @@ -47,7 +47,7 @@ Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3; -HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->unregister()V Lcom/slack/circuit/backstack/CompositeProvidedValues; HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->()V @@ -69,7 +69,8 @@ HSPLcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver;->onRe Lcom/slack/circuit/backstack/ProvidedValues; Lcom/slack/circuit/backstack/SaveableBackStack; HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I @@ -118,11 +119,11 @@ Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/SaveableBackStackKt; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; -Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->(Lkotlin/jvm/functions/Function1;)V -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Ljava/util/List;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; +Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->(Ljava/util/List;)V +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider; HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V diff --git a/circuit-foundation/src/androidMain/baseline-prof.txt b/circuit-foundation/src/androidMain/baseline-prof.txt index 0cd7ae5b2..e1420993c 100644 --- a/circuit-foundation/src/androidMain/baseline-prof.txt +++ b/circuit-foundation/src/androidMain/baseline-prof.txt @@ -226,6 +226,7 @@ Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V Lcom/slack/circuit/foundation/NavigatorImplKt; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)Lcom/slack/circuit/runtime/Navigator; HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; diff --git a/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt b/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt index dd4fc5ee4..a4bc72dff 100644 --- a/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt +++ b/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt @@ -170,7 +170,7 @@ HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPre Landroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V -HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; +HPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/compose/BackHandlerKt; HPLandroidx/activity/compose/BackHandlerKt;->BackHandler(ZLkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)V @@ -516,7 +516,7 @@ HPLandroidx/arch/core/internal/FastSafeIterableMap;->remove(Ljava/lang/Object;)L Landroidx/arch/core/internal/SafeIterableMap; HSPLandroidx/arch/core/internal/SafeIterableMap;->()V HPLandroidx/arch/core/internal/SafeIterableMap;->descendingIterator()Ljava/util/Iterator; -HPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; +HSPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->get(Ljava/lang/Object;)Landroidx/arch/core/internal/SafeIterableMap$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->iterator()Ljava/util/Iterator; HPLandroidx/arch/core/internal/SafeIterableMap;->iteratorWithAdditions()Landroidx/arch/core/internal/SafeIterableMap$IteratorWithAdditions; @@ -544,8 +544,8 @@ Landroidx/arch/core/internal/SafeIterableMap$ListIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->hasNext()Z PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/lang/Object; -PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; -PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; +HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; +HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->supportRemove(Landroidx/arch/core/internal/SafeIterableMap$Entry;)V Landroidx/arch/core/internal/SafeIterableMap$SupportRemove; HSPLandroidx/arch/core/internal/SafeIterableMap$SupportRemove;->()V @@ -642,7 +642,6 @@ HPLandroidx/collection/MutableScatterMap;->(I)V HPLandroidx/collection/MutableScatterMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/collection/MutableScatterMap;->adjustStorage()V HPLandroidx/collection/MutableScatterMap;->findFirstAvailableSlot(I)I -HPLandroidx/collection/MutableScatterMap;->findInsertIndex(Ljava/lang/Object;)I HPLandroidx/collection/MutableScatterMap;->initializeGrowth()V HPLandroidx/collection/MutableScatterMap;->initializeMetadata(I)V HPLandroidx/collection/MutableScatterMap;->initializeStorage(I)V @@ -1020,14 +1019,14 @@ PLandroidx/compose/animation/core/Animatable;->runAnimation(Landroidx/compose/an PLandroidx/compose/animation/core/Animatable;->setRunning(Z)V PLandroidx/compose/animation/core/Animatable;->setTargetValue(Ljava/lang/Object;)V PLandroidx/compose/animation/core/Animatable;->snapTo(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/animation/core/Animatable$runAnimation$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->(Landroidx/compose/animation/core/Animatable;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/Ref$BooleanRef;)V HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Landroidx/compose/animation/core/AnimationScope;)V -HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$snapTo$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/animation/core/Animatable$snapTo$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/Animatable$snapTo$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -1128,11 +1127,11 @@ HSPLandroidx/compose/animation/core/AnimationVector2D;->()V HPLandroidx/compose/animation/core/AnimationVector2D;->(FF)V HPLandroidx/compose/animation/core/AnimationVector2D;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/animation/core/AnimationVector2D;->get$animation_core_release(I)F -PLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I +HPLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I PLandroidx/compose/animation/core/AnimationVector2D;->getV1()F PLandroidx/compose/animation/core/AnimationVector2D;->getV2()F PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector2D; -HPLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/AnimationVector2D;->reset$animation_core_release()V HPLandroidx/compose/animation/core/AnimationVector2D;->set$animation_core_release(IF)V Landroidx/compose/animation/core/AnimationVector3D; @@ -1181,7 +1180,7 @@ HSPLandroidx/compose/animation/core/EasingKt;->getFastOutSlowInEasing()Landroidx HSPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0; HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->()V -HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F +HPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F Landroidx/compose/animation/core/FiniteAnimationSpec; Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/FloatDecayAnimationSpec; @@ -1219,7 +1218,7 @@ HPLandroidx/compose/animation/core/InfiniteTransition;->onFrame(J)V PLandroidx/compose/animation/core/InfiniteTransition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HPLandroidx/compose/animation/core/InfiniteTransition;->run$animation_core_release(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/animation/core/InfiniteTransition;->setRefreshChildNeeded(Z)V -HPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V +HSPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->(Landroidx/compose/animation/core/InfiniteTransition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getInitialValue$animation_core_release()Ljava/lang/Object; @@ -1305,13 +1304,13 @@ PLandroidx/compose/animation/core/MutatorMutex;->access$getMutex$p(Landroidx/com PLandroidx/compose/animation/core/MutatorMutex;->access$tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatorMutex$Mutator;)V PLandroidx/compose/animation/core/MutatorMutex;->mutate$default(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/MutatorMutex;->mutate(Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V +PLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V Landroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0; HPLandroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReference;Ljava/lang/Object;Ljava/lang/Object;)Z PLandroidx/compose/animation/core/MutatorMutex$Mutator;->(Landroidx/compose/animation/core/MutatePriority;Lkotlinx/coroutines/Job;)V PLandroidx/compose/animation/core/MutatorMutex$Mutator;->canInterrupt(Landroidx/compose/animation/core/MutatorMutex$Mutator;)Z PLandroidx/compose/animation/core/MutatorMutex$Mutator;->cancel()V -HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->(Landroidx/compose/animation/core/MutatePriority;Landroidx/compose/animation/core/MutatorMutex;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->(Landroidx/compose/animation/core/MutatePriority;Landroidx/compose/animation/core/MutatorMutex;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -1325,10 +1324,10 @@ PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDuration HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateCriticallyDamped(Landroidx/compose/animation/core/ComplexDouble;DDD)D PLandroidx/compose/animation/core/SpringEstimationKt;->estimateDurationInternal(Landroidx/compose/animation/core/ComplexDouble;Landroidx/compose/animation/core/ComplexDouble;DDDD)J PLandroidx/compose/animation/core/SpringSimulation;->()V -HPLandroidx/compose/animation/core/SpringSimulation;->(F)V +PLandroidx/compose/animation/core/SpringSimulation;->(F)V PLandroidx/compose/animation/core/SpringSimulation;->getDampingRatio()F PLandroidx/compose/animation/core/SpringSimulation;->getStiffness()F -HPLandroidx/compose/animation/core/SpringSimulation;->init()V +PLandroidx/compose/animation/core/SpringSimulation;->init()V PLandroidx/compose/animation/core/SpringSimulation;->setDampingRatio(F)V HPLandroidx/compose/animation/core/SpringSimulation;->setFinalPosition(F)V PLandroidx/compose/animation/core/SpringSimulation;->setStiffness(F)V @@ -1374,7 +1373,7 @@ HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->(Lkotlin HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(J)V HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/TargetBasedAnimation; HSPLandroidx/compose/animation/core/TargetBasedAnimation;->()V @@ -1479,7 +1478,7 @@ HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/anim Landroidx/compose/animation/core/TwoWayConverter; Landroidx/compose/animation/core/TwoWayConverterImpl; HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertToVector()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/core/VectorConvertersKt; HSPLandroidx/compose/animation/core/VectorConvertersKt;->()V @@ -1514,7 +1513,7 @@ HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$1;->invoke(L Landroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V -HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; +HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->()V @@ -1609,8 +1608,8 @@ PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/comp HPLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J PLandroidx/compose/animation/core/VectorizedSpringSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedTweenSpec; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->()V @@ -2115,7 +2114,7 @@ Landroidx/compose/foundation/layout/BoxMeasurePolicy; HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->(Landroidx/compose/ui/Alignment;Z)V HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->access$getAlignment$p(Landroidx/compose/foundation/layout/BoxMeasurePolicy;)Landroidx/compose/ui/Alignment; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V @@ -2227,7 +2226,7 @@ HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateRightPaddin HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateTopPadding-D9Ej5fM()F Landroidx/compose/foundation/layout/InsetsValues; HSPLandroidx/compose/foundation/layout/InsetsValues;->()V -HSPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V +HPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V HSPLandroidx/compose/foundation/layout/InsetsValues;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->$values()[Landroidx/compose/foundation/layout/LayoutOrientation; @@ -2355,7 +2354,7 @@ HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->crossAxisSize HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->getCrossAxisPosition(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/RowColumnParentData;ILandroidx/compose/ui/unit/LayoutDirection;I)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisPositions(I[I[ILandroidx/compose/ui/layout/MeasureScope;)[I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisSize(Landroidx/compose/ui/layout/Placeable;)I -HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; +HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->placeHelper(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;ILandroidx/compose/ui/unit/LayoutDirection;)V Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/RowColumnParentData;->()V @@ -2620,7 +2619,7 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$Skippa HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemProviderKt;->findIndexByKey(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)V -HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V @@ -2739,7 +2738,7 @@ PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->access$getKe PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getIndex(Ljava/lang/Object;)I HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getKey(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->(IILandroidx/collection/MutableObjectIntMap;Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)V -HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->attachToScope-impl(Landroidx/compose/runtime/MutableState;)V PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->constructor-impl$default(Landroidx/compose/runtime/MutableState;ILkotlin/jvm/internal/DefaultConstructorMarker;)Landroidx/compose/runtime/MutableState; @@ -2909,6 +2908,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultK PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt;->getEmptyLazyStaggeredGridLayoutInfo()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt$EmptyLazyStaggeredGridLayoutInfo$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->()V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->(ILjava/lang/Object;Ljava/util/List;ZIIIIILjava/lang/Object;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getIndex()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; @@ -2917,7 +2917,7 @@ HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxisSize()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getParentData(I)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSizeWithSpacings()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSpan()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVertical()Z @@ -3074,7 +3074,7 @@ HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape- HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-a9UjIt4(FFFF)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->getCircleShape()Landroidx/compose/foundation/shape/RoundedCornerShape; Landroidx/compose/foundation/text/BasicTextKt; -HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V +HSPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V Landroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1; HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->invoke()Ljava/lang/Object; @@ -3306,7 +3306,7 @@ HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->(La HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1; -HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V +HSPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V Landroidx/compose/material/ripple/RippleAlpha; HSPLandroidx/compose/material/ripple/RippleAlpha;->()V HSPLandroidx/compose/material/ripple/RippleAlpha;->(FFFF)V @@ -3870,7 +3870,7 @@ HSPLandroidx/compose/material3/TopAppBarState;->access$getSaver$cp()Landroidx/co HSPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F HSPLandroidx/compose/material3/TopAppBarState;->getHeightOffset()F HPLandroidx/compose/material3/TopAppBarState;->getHeightOffsetLimit()F -HSPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F +HPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F HSPLandroidx/compose/material3/TopAppBarState;->setHeightOffsetLimit(F)V Landroidx/compose/material3/TopAppBarState$Companion; HSPLandroidx/compose/material3/TopAppBarState$Companion;->()V @@ -3897,7 +3897,7 @@ HSPLandroidx/compose/material3/Typography;->getTitleLarge()Landroidx/compose/ui/ Landroidx/compose/material3/TypographyKt; HSPLandroidx/compose/material3/TypographyKt;->()V HSPLandroidx/compose/material3/TypographyKt;->fromToken(Landroidx/compose/material3/Typography;Landroidx/compose/material3/tokens/TypographyKeyTokens;)Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; +HPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/material3/TypographyKt$LocalTypography$1; HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V @@ -4268,12 +4268,13 @@ HSPLandroidx/compose/runtime/BroadcastFrameClock;->()V HSPLandroidx/compose/runtime/BroadcastFrameClock;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; -HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; HSPLandroidx/compose/runtime/BroadcastFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLandroidx/compose/runtime/BroadcastFrameClock;->getHasAwaiters()Z HPLandroidx/compose/runtime/BroadcastFrameClock;->sendFrame(J)V +HPLandroidx/compose/runtime/BroadcastFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter; HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->resume(J)V @@ -4352,7 +4353,6 @@ HPLandroidx/compose/runtime/ComposerImpl;->endRestartGroup()Landroidx/compose/ru HPLandroidx/compose/runtime/ComposerImpl;->endReusableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endRoot()V HPLandroidx/compose/runtime/ComposerImpl;->ensureWriter()V -HPLandroidx/compose/runtime/ComposerImpl;->enterGroup(ZLandroidx/compose/runtime/Pending;)V HPLandroidx/compose/runtime/ComposerImpl;->exitGroup(IZ)V HPLandroidx/compose/runtime/ComposerImpl;->finalizeCompose()V HPLandroidx/compose/runtime/ComposerImpl;->getApplier()Landroidx/compose/runtime/Applier; @@ -4401,7 +4401,6 @@ HPLandroidx/compose/runtime/ComposerImpl;->skipToGroupEnd()V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformation(Ljava/lang/String;)V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformationMarkerEnd()V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformationMarkerStart(ILjava/lang/String;)V -HPLandroidx/compose/runtime/ComposerImpl;->start-BaiHCIY(ILjava/lang/Object;ILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->startDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(I)V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(ILjava/lang/Object;)V @@ -4415,7 +4414,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startReusableGroup(ILjava/lang/Object HPLandroidx/compose/runtime/ComposerImpl;->startReusableNode()V HPLandroidx/compose/runtime/ComposerImpl;->startRoot()V HPLandroidx/compose/runtime/ComposerImpl;->tryImminentInvalidation$runtime_release(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroup(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroupKeyHash(I)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeExitGroup(ILjava/lang/Object;Ljava/lang/Object;)V @@ -4554,7 +4553,6 @@ PLandroidx/compose/runtime/CompositionImpl;->prepareCompose(Lkotlin/jvm/function HPLandroidx/compose/runtime/CompositionImpl;->recompose()Z HPLandroidx/compose/runtime/CompositionImpl;->recomposeScopeReleased(Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->recordModificationsOf(Ljava/util/Set;)V -HPLandroidx/compose/runtime/CompositionImpl;->recordReadOf(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->recordWriteOf(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->setContent(Lkotlin/jvm/functions/Function2;)V @@ -4632,7 +4630,7 @@ HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->access$getUnset HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getCurrentValue()Ljava/lang/Object; -HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; +HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->isValid(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)Z HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->readableHash(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)I @@ -4727,7 +4725,7 @@ HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Latch;->closeLatch()V -HPLandroidx/compose/runtime/Latch;->isOpen()Z +HSPLandroidx/compose/runtime/Latch;->isOpen()Z HSPLandroidx/compose/runtime/Latch;->openLatch()V Landroidx/compose/runtime/LaunchedEffectImpl; HSPLandroidx/compose/runtime/LaunchedEffectImpl;->()V @@ -5047,7 +5045,7 @@ HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSus HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1; HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/collection/IdentityArraySet;Landroidx/compose/runtime/collection/IdentityArraySet;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V -HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V +HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$writeObserverOf$1; HPLandroidx/compose/runtime/Recomposer$writeObserverOf$1;->(Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/collection/IdentityArraySet;)V @@ -5079,7 +5077,7 @@ Landroidx/compose/runtime/SlotReader; HSPLandroidx/compose/runtime/SlotReader;->()V HPLandroidx/compose/runtime/SlotReader;->(Landroidx/compose/runtime/SlotTable;)V HPLandroidx/compose/runtime/SlotReader;->anchor(I)Landroidx/compose/runtime/Anchor; -HPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; +HSPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->beginEmpty()V HPLandroidx/compose/runtime/SlotReader;->close()V HSPLandroidx/compose/runtime/SlotReader;->containsMark(I)Z @@ -5108,7 +5106,7 @@ HPLandroidx/compose/runtime/SlotReader;->groupSize(I)I HSPLandroidx/compose/runtime/SlotReader;->hasMark(I)Z HPLandroidx/compose/runtime/SlotReader;->hasObjectKey(I)Z HPLandroidx/compose/runtime/SlotReader;->isGroupEnd()Z -HSPLandroidx/compose/runtime/SlotReader;->isNode()Z +HPLandroidx/compose/runtime/SlotReader;->isNode()Z HPLandroidx/compose/runtime/SlotReader;->isNode(I)Z HPLandroidx/compose/runtime/SlotReader;->next()Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->node(I)Ljava/lang/Object; @@ -5221,13 +5219,13 @@ PLandroidx/compose/runtime/SlotWriter;->access$slotIndex(Landroidx/compose/runti HSPLandroidx/compose/runtime/SlotWriter;->access$sourceInformationOf(Landroidx/compose/runtime/SlotWriter;I)Landroidx/compose/runtime/GroupSourceInformation; HSPLandroidx/compose/runtime/SlotWriter;->access$updateContainsMark(Landroidx/compose/runtime/SlotWriter;I)V HPLandroidx/compose/runtime/SlotWriter;->advanceBy(I)V -HPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; +HSPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/SlotWriter;->anchorIndex(Landroidx/compose/runtime/Anchor;)I HPLandroidx/compose/runtime/SlotWriter;->auxIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->beginInsert()V HPLandroidx/compose/runtime/SlotWriter;->childContainsAnyMarks(I)Z HPLandroidx/compose/runtime/SlotWriter;->clearSlotGap()V -HPLandroidx/compose/runtime/SlotWriter;->close()V +HSPLandroidx/compose/runtime/SlotWriter;->close()V HSPLandroidx/compose/runtime/SlotWriter;->containsAnyGroupMarks(I)Z HSPLandroidx/compose/runtime/SlotWriter;->containsGroupMark(I)Z HPLandroidx/compose/runtime/SlotWriter;->dataAnchorToDataIndex(III)I @@ -5257,7 +5255,7 @@ HSPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z HSPLandroidx/compose/runtime/SlotWriter;->indexInParent(I)Z HPLandroidx/compose/runtime/SlotWriter;->insertGroups(I)V HPLandroidx/compose/runtime/SlotWriter;->insertSlots(II)V -HSPLandroidx/compose/runtime/SlotWriter;->isNode()Z +HPLandroidx/compose/runtime/SlotWriter;->isNode()Z HSPLandroidx/compose/runtime/SlotWriter;->isNode(I)Z HSPLandroidx/compose/runtime/SlotWriter;->markGroup$default(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->markGroup(I)V @@ -5290,9 +5288,7 @@ HPLandroidx/compose/runtime/SlotWriter;->sourceInformationOf(I)Landroidx/compose HPLandroidx/compose/runtime/SlotWriter;->startData(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup()V HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;ZLjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startNode(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/SlotWriter;->update(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->updateAnchors(II)V PLandroidx/compose/runtime/SlotWriter;->updateAux(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->updateContainsMark(I)V @@ -5332,13 +5328,13 @@ HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord Landroidx/compose/runtime/SnapshotMutableIntStateImpl; HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->(I)V -HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getIntValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->setIntValue(I)V Landroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->(I)V -HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->getValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->setValue(I)V @@ -5389,7 +5385,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt;->structuralEqualityPolicy()Landroid Landroidx/compose/runtime/SnapshotStateKt__DerivedStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->()V HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->access$getCalculationBlockNestedLevel$p()Landroidx/compose/runtime/SnapshotThreadLocal; -HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; +HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; PLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt; @@ -5446,7 +5442,6 @@ HPLandroidx/compose/runtime/Stack;->isEmpty()Z HPLandroidx/compose/runtime/Stack;->isNotEmpty()Z HPLandroidx/compose/runtime/Stack;->peek()Ljava/lang/Object; HSPLandroidx/compose/runtime/Stack;->peek(I)Ljava/lang/Object; -HPLandroidx/compose/runtime/Stack;->pop()Ljava/lang/Object; HPLandroidx/compose/runtime/Stack;->push(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/Stack;->toArray()[Ljava/lang/Object; Landroidx/compose/runtime/State; @@ -5652,7 +5647,7 @@ PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->execute(Landroid Landroidx/compose/runtime/changelist/Operation$UpdateNode; HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V -HPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V Landroidx/compose/runtime/changelist/Operation$UpdateValue; HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V @@ -5687,7 +5682,7 @@ HPLandroidx/compose/runtime/changelist/Operations;->createExpectedArgMask(I)I HPLandroidx/compose/runtime/changelist/Operations;->determineNewSize(II)I HPLandroidx/compose/runtime/changelist/Operations;->ensureIntArgsSizeAtLeast(I)V HPLandroidx/compose/runtime/changelist/Operations;->ensureObjectArgsSizeAtLeast(I)V -HSPLandroidx/compose/runtime/changelist/Operations;->executeAndFlushAllPendingOperations(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/Operations;->executeAndFlushAllPendingOperations(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V HPLandroidx/compose/runtime/changelist/Operations;->getSize()I HPLandroidx/compose/runtime/changelist/Operations;->isEmpty()Z HPLandroidx/compose/runtime/changelist/Operations;->isNotEmpty()Z @@ -5696,7 +5691,7 @@ HPLandroidx/compose/runtime/changelist/Operations;->popInto(Landroidx/compose/ru HPLandroidx/compose/runtime/changelist/Operations;->push(Landroidx/compose/runtime/changelist/Operation;)V HPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V HPLandroidx/compose/runtime/changelist/Operations;->topIntIndexOf-w8GmfQM(I)I -HPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I +HSPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I Landroidx/compose/runtime/changelist/Operations$Companion; HSPLandroidx/compose/runtime/changelist/Operations$Companion;->()V HSPLandroidx/compose/runtime/changelist/Operations$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -5774,7 +5769,7 @@ HPLandroidx/compose/runtime/collection/MutableVectorKt;->checkIndex(Ljava/util/L Landroidx/compose/runtime/collection/ScopeMap; HSPLandroidx/compose/runtime/collection/ScopeMap;->()V HPLandroidx/compose/runtime/collection/ScopeMap;->()V -HPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/collection/ScopeMap;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/ScopeMap;->getMap()Landroidx/collection/MutableScatterMap; HPLandroidx/compose/runtime/collection/ScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z @@ -5841,7 +5836,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->containsKey(Ljava/lang/Object;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getNode$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getSize()I @@ -5895,14 +5890,13 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->elementsIdentityEquals(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$runtime_release(I)I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->getBuffer$runtime_release()[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$runtime_release(I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->makeNode(ILjava/lang/Object;Ljava/lang/Object;ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->moveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->moveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -5927,7 +5921,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V @@ -5950,7 +5944,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->indexSegment(II)I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->insertEntryAtIndex([Ljava/lang/Object;ILjava/lang/Object;Ljava/lang/Object;)[Ljava/lang/Object; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->removeEntryAtIndex([Ljava/lang/Object;I)[Ljava/lang/Object; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->replaceEntryWithNode([Ljava/lang/Object;IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)[Ljava/lang/Object; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->replaceEntryWithNode([Ljava/lang/Object;IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)[Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V @@ -5996,7 +5990,7 @@ Landroidx/compose/runtime/internal/ComposableLambda; Landroidx/compose/runtime/internal/ComposableLambdaImpl; HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->()V HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->(IZLjava/lang/Object;)V -HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; +HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; @@ -6031,7 +6025,7 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->access$ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Landroidx/compose/runtime/CompositionLocal;)Z -HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; @@ -6183,6 +6177,7 @@ Landroidx/compose/runtime/snapshots/ListUtilsKt; PLandroidx/compose/runtime/snapshots/ListUtilsKt;->fastToSet(Ljava/util/List;)Ljava/util/Set; Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->()V +HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->advance$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->closeLocked$runtime_release()V @@ -6236,7 +6231,6 @@ HPLandroidx/compose/runtime/snapshots/Snapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/Snapshot;->getDisposed$runtime_release()Z HPLandroidx/compose/runtime/snapshots/Snapshot;->getId()I HPLandroidx/compose/runtime/snapshots/Snapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -HPLandroidx/compose/runtime/snapshots/Snapshot;->makeCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->restoreCurrent(Landroidx/compose/runtime/snapshots/Snapshot;)V @@ -6251,7 +6245,6 @@ HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->(Lkotlin/jvm/i HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->createNonObservableSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->getCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->notifyObjectsInitialized()V -HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->observe(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver$lambda$6(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver(Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/snapshots/ObserverHandle; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerGlobalWriteObserver(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/ObserverHandle; @@ -6289,7 +6282,7 @@ HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->(JJI[I)V PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getBelowBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)[I HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getEMPTY$cp()Landroidx/compose/runtime/snapshots/SnapshotIdSet; PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)I -HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J +PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getUpperSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->andNot(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->clear(I)Landroidx/compose/runtime/snapshots/SnapshotIdSet; @@ -6302,7 +6295,7 @@ Landroidx/compose/runtime/snapshots/SnapshotIdSet$Companion; HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->getEMPTY()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -PLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotIdSetKt; @@ -6415,7 +6408,7 @@ HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->iterator()Ljava/util/ HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->listIterator()Ljava/util/ListIterator; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->set(ILjava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I Landroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->()V HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V @@ -6431,7 +6424,7 @@ Landroidx/compose/runtime/snapshots/SnapshotStateList$addAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateList$retainAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateListKt; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->()V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; +HPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$validateRange(II)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->validateRange(II)V Landroidx/compose/runtime/snapshots/SnapshotStateMap; @@ -6533,7 +6526,7 @@ HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->apply HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getCurrentSnapshot()Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getId()I -HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HSPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->notifyObjectsInitialized$runtime_release()V @@ -6703,7 +6696,7 @@ HSPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier Landroidx/compose/ui/draw/DrawBackgroundModifier; HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->()V HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->(Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/DrawBehindElement; HSPLandroidx/compose/ui/draw/DrawBehindElement;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/draw/DrawBehindElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -6882,7 +6875,7 @@ HSPLandroidx/compose/ui/geometry/RoundRect;->getBottom()F HPLandroidx/compose/ui/geometry/RoundRect;->getBottomLeftCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getBottomRightCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getHeight()F -HSPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F +HPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F HSPLandroidx/compose/ui/geometry/RoundRect;->getRight()F HPLandroidx/compose/ui/geometry/RoundRect;->getTop()F HPLandroidx/compose/ui/geometry/RoundRect;->getTopLeftCornerRadius-kKHJgLs()J @@ -6930,7 +6923,7 @@ PLandroidx/compose/ui/graphics/AndroidCanvas;->disableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawArc(FFFFFFZLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawImageRect-HPBpro0(Landroidx/compose/ui/graphics/ImageBitmap;JJJJLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawPath(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Paint;)V -HSPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V +HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRoundRect(FFFFFFLandroidx/compose/ui/graphics/Paint;)V PLandroidx/compose/ui/graphics/AndroidCanvas;->enableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->getInternalCanvas()Landroid/graphics/Canvas; @@ -6968,18 +6961,18 @@ Landroidx/compose/ui/graphics/AndroidPaint; HSPLandroidx/compose/ui/graphics/AndroidPaint;->()V HPLandroidx/compose/ui/graphics/AndroidPaint;->(Landroid/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidPaint;->asFrameworkPaint()Landroid/graphics/Paint; -HPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F HPLandroidx/compose/ui/graphics/AndroidPaint;->getBlendMode-0nO6VwU()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/AndroidPaint;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; HPLandroidx/compose/ui/graphics/AndroidPaint;->getFilterQuality-f-v9h1I()I HSPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; HPLandroidx/compose/ui/graphics/AndroidPaint;->getShader()Landroid/graphics/Shader; -HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I -HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F -HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F -HPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F +HSPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setBlendMode-s9anfk8(I)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setColor-8_81llA(J)V HSPLandroidx/compose/ui/graphics/AndroidPaint;->setColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V @@ -7069,7 +7062,7 @@ HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->(Lkotlin/jvm HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->getLayerBlock()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/Brush; @@ -7130,7 +7123,7 @@ HPLandroidx/compose/ui/graphics/Color;->unbox-impl()J Landroidx/compose/ui/graphics/Color$Companion; HSPLandroidx/compose/ui/graphics/Color$Companion;->()V HSPLandroidx/compose/ui/graphics/Color$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J +HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlue-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getRed-0d7_KjU()J HPLandroidx/compose/ui/graphics/Color$Companion;->getTransparent-0d7_KjU()J @@ -7362,7 +7355,6 @@ HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->getTranslationY()F HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->(Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V -HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V @@ -7732,7 +7724,7 @@ HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY$ PLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; Landroidx/compose/ui/graphics/painter/Painter; HPLandroidx/compose/ui/graphics/painter/Painter;->()V -HPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V +HSPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V @@ -8214,7 +8206,7 @@ HSPLandroidx/compose/ui/layout/ContentScale$Companion$Fit$1;->computeScaleFactor Landroidx/compose/ui/layout/ContentScale$Companion$Inside$1; HSPLandroidx/compose/ui/layout/ContentScale$Companion$Inside$1;->()V Landroidx/compose/ui/layout/ContentScaleKt; -HPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F +PLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F HSPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMinDimension-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillHeight-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillMaxDimension-iLBOSCw(JJ)F @@ -8428,7 +8420,7 @@ HSPLandroidx/compose/ui/layout/ScaleFactor$Companion;->(Lkotlin/jvm/intern Landroidx/compose/ui/layout/ScaleFactorKt; HPLandroidx/compose/ui/layout/ScaleFactorKt;->ScaleFactor(FF)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-UQTWf7w(JJ)J -HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J +PLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J Landroidx/compose/ui/layout/SubcomposeLayoutKt; HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->()V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V @@ -8727,7 +8719,7 @@ HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->()V HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/node/LayerPositionalProperties; HPLandroidx/compose/ui/node/LayerPositionalProperties;->()V -HPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V Landroidx/compose/ui/node/LayoutAwareModifierNode; HSPLandroidx/compose/ui/node/LayoutAwareModifierNode;->onRemeasured-ozmzZPI(J)V Landroidx/compose/ui/node/LayoutModifierNode; @@ -8737,7 +8729,7 @@ HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->(Landroidx/com HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->calculateAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLayoutModifierNode()Landroidx/compose/ui/node/LayoutModifierNode; HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLookaheadDelegate()Landroidx/compose/ui/node/LookaheadDelegate; -HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getWrappedNonNull()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->performDraw(Landroidx/compose/ui/graphics/Canvas;)V @@ -8752,14 +8744,14 @@ Landroidx/compose/ui/node/LayoutModifierNodeKt; HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateLayer(Landroidx/compose/ui/node/LayoutModifierNode;)V HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateMeasurement(Landroidx/compose/ui/node/LayoutModifierNode;)V Landroidx/compose/ui/node/LayoutNode; -HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->()V HPLandroidx/compose/ui/node/LayoutNode;->(ZI)V HPLandroidx/compose/ui/node/LayoutNode;->(ZIILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$39(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->access$getConstructor$cp()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/LayoutNode;->access$setIgnoreRemeasureRequests$p(Landroidx/compose/ui/node/LayoutNode;Z)V -HPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V +HSPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreePlacementIntrinsicsUsage()V HPLandroidx/compose/ui/node/LayoutNode;->detach$ui_release()V @@ -8793,7 +8785,6 @@ HPLandroidx/compose/ui/node/LayoutNode;->getMeasurePolicy()Landroidx/compose/ui/ HPLandroidx/compose/ui/node/LayoutNode;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; HSPLandroidx/compose/ui/node/LayoutNode;->getNeedsOnPositionedDispatch$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getNodes$ui_release()Landroidx/compose/ui/node/NodeChain; -HPLandroidx/compose/ui/node/LayoutNode;->getOuterCoordinator$ui_release()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNode;->getOwner$ui_release()Landroidx/compose/ui/node/Owner; HPLandroidx/compose/ui/node/LayoutNode;->getParent$ui_release()Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/LayoutNode;->getPlaceOrder$ui_release()I @@ -8802,7 +8793,6 @@ HSPLandroidx/compose/ui/node/LayoutNode;->getSubcompositionsState$ui_release()La HSPLandroidx/compose/ui/node/LayoutNode;->getWidth()I HPLandroidx/compose/ui/node/LayoutNode;->getZIndex()F HPLandroidx/compose/ui/node/LayoutNode;->getZSortedChildren()Landroidx/compose/runtime/collection/MutableVector; -HPLandroidx/compose/ui/node/LayoutNode;->get_children$ui_release()Landroidx/compose/runtime/collection/MutableVector; HPLandroidx/compose/ui/node/LayoutNode;->insertAt$ui_release(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnAttach()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnDetach()V @@ -8841,13 +8831,13 @@ PLandroidx/compose/ui/node/LayoutNode;->resetModifierState()V HPLandroidx/compose/ui/node/LayoutNode;->resetSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->setCanMultiMeasure$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setCompositeKeyHash(I)V -HPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V +HSPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V HPLandroidx/compose/ui/node/LayoutNode;->setDensity(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/node/LayoutNode;->setInnerLayerCoordinatorIsDirty$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/node/LayoutNode;->setLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->setMeasurePolicy(Landroidx/compose/ui/layout/MeasurePolicy;)V -HSPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V +HPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/node/LayoutNode;->setNeedsOnPositionedDispatch$ui_release(Z)V HSPLandroidx/compose/ui/node/LayoutNode;->setSubcompositionsState$ui_release(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V HPLandroidx/compose/ui/node/LayoutNode;->setViewConfiguration(Landroidx/compose/ui/platform/ViewConfiguration;)V @@ -8901,7 +8891,7 @@ HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->draw-x_KDEd0$ui_release(Landro HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawContent()V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawDirect-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/node/DrawModifierNode;)V -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V @@ -8954,7 +8944,6 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDur HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDuringPlacement(Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->updateParentData()V Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$checkChildrenPlaceOrderForUpdates(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$clearPlaceOrder(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorLayerBlock$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)Lkotlin/jvm/functions/Function1; @@ -8967,10 +8956,10 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->forEa HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->get(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getAlignmentLines()Landroidx/compose/ui/node/AlignmentLines; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getChildDelegates$ui_release()Ljava/util/List; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getLastConstraints-DWUhwKw()Landroidx/compose/ui/unit/Constraints; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getPlaceOrder$ui_release()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getZIndex$ui_release()F @@ -8978,14 +8967,12 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->inval HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateParentData()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlaced()Z HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlacedByParent()Z -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->layoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V PLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markSubtreeAsNotPlaced()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->notifyChildrenUsingCoordinatesWhilePlacing()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onBeforeLayoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodeDetached()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodePlaced$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z @@ -9055,7 +9042,7 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->doRemeasure-sdFAvZA(Landr HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtree(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtreeInternal(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getCanAffectParent(Landroidx/compose/ui/node/LayoutNode;)Z -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getMeasureAffectsParent(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureAndLayout(Lkotlin/jvm/functions/Function0;)Z @@ -9066,7 +9053,7 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onlyRemeasureIfScheduled( HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;ZZ)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;Z)V -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->updateRootConstraints-BRTryo0(J)V @@ -9109,7 +9096,7 @@ HPLandroidx/compose/ui/node/NodeChain;->markAsAttached()V HPLandroidx/compose/ui/node/NodeChain;->markAsDetached$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->padChain()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeChain;->resetState$ui_release()V -HPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V +HSPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V HPLandroidx/compose/ui/node/NodeChain;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->syncAggregateChildKindSet()V HPLandroidx/compose/ui/node/NodeChain;->syncCoordinators()V @@ -9122,7 +9109,7 @@ HPLandroidx/compose/ui/node/NodeChainKt;->access$fillVector(Landroidx/compose/ui HPLandroidx/compose/ui/node/NodeChainKt;->access$getSentinelHead$p()Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt;->access$updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeChainKt;->actionForModifiers(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;)I -HPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; +HSPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/ui/node/NodeChainKt;->updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt$SentinelHead$1;->()V @@ -9130,7 +9117,6 @@ Landroidx/compose/ui/node/NodeChainKt$fillVector$1; HPLandroidx/compose/ui/node/NodeChainKt$fillVector$1;->(Landroidx/compose/runtime/collection/MutableVector;)V Landroidx/compose/ui/node/NodeCoordinator; HSPLandroidx/compose/ui/node/NodeCoordinator;->()V -HPLandroidx/compose/ui/node/NodeCoordinator;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$drawContainedDrawModifiers(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$getGraphicsLayerScope$cp()Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; HPLandroidx/compose/ui/node/NodeCoordinator;->access$getOnCommitAffectingLayer$cp()Lkotlin/jvm/functions/Function1; @@ -9160,12 +9146,10 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->getWrappedBy$ui_release()Landroidx HPLandroidx/compose/ui/node/NodeCoordinator;->getZIndex()F HPLandroidx/compose/ui/node/NodeCoordinator;->hasNode-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeCoordinator;->head-H91voCI(I)Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/node/NodeCoordinator;->headNode(Z)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->invalidateLayer()V HPLandroidx/compose/ui/node/NodeCoordinator;->isAttached()Z PLandroidx/compose/ui/node/NodeCoordinator;->isValidOwnerScope()Z HPLandroidx/compose/ui/node/NodeCoordinator;->onLayoutNodeAttach()V -HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasureResultChanged(II)V HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasured()V HPLandroidx/compose/ui/node/NodeCoordinator;->onPlaced()V HPLandroidx/compose/ui/node/NodeCoordinator;->onRelease()V @@ -9173,15 +9157,15 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->placeAt-f8xVGno(JFLkotlin/jvm/func HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelf-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelfApparentToRealOffset-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V -HSPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V -HPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V +HPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V +HSPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrapped$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrappedBy$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/NodeCoordinator;->toParentPosition-MK-Hz9U(J)J HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock$default(Landroidx/compose/ui/node/NodeCoordinator;Lkotlin/jvm/functions/Function1;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock(Lkotlin/jvm/functions/Function1;Z)V HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters$default(Landroidx/compose/ui/node/NodeCoordinator;ZILjava/lang/Object;)V -HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters(Z)V +HSPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters(Z)V Landroidx/compose/ui/node/NodeCoordinator$Companion; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -9193,14 +9177,14 @@ Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V -HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V Landroidx/compose/ui/node/NodeCoordinator$HitTestSource; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V -HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V +HSPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V @@ -9219,10 +9203,9 @@ HPLandroidx/compose/ui/node/NodeKind;->constructor-impl(I)I Landroidx/compose/ui/node/NodeKindKt; HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateInsertedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeIncludingDelegates(Landroidx/compose/ui/Modifier$Node;II)V -HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V +HSPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateUpdatedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Element;)I -HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFromIncludingDelegates(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->getIncludeSelfInTraversal-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeKindKt;->specifiesCanFocusProperty(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)Z @@ -9254,7 +9237,7 @@ PLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->co Landroidx/compose/ui/node/OwnedLayer; Landroidx/compose/ui/node/Owner; HSPLandroidx/compose/ui/node/Owner;->()V -HPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V +HSPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V HSPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/Owner;->onRequestMeasure$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZZILjava/lang/Object;)V PLandroidx/compose/ui/node/Owner;->onRequestRelayout$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V @@ -9649,7 +9632,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroid HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getMain$delegate$cp()Lkotlin/Lazy; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V -HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V +HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V PLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$setScheduledFrameDispatch$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;Z)V HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; @@ -9875,13 +9858,13 @@ HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->minusKey(Lkotlin/coro HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->setScaleFactor(F)V Landroidx/compose/ui/platform/OutlineResolver; HSPLandroidx/compose/ui/platform/OutlineResolver;->()V -HPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V +HSPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/platform/OutlineResolver;->getCacheIsDirty$ui_release()Z HPLandroidx/compose/ui/platform/OutlineResolver;->getOutline()Landroid/graphics/Outline; HPLandroidx/compose/ui/platform/OutlineResolver;->getOutlineClipSupported()Z HPLandroidx/compose/ui/platform/OutlineResolver;->update(Landroidx/compose/ui/graphics/Shape;FZFLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)Z HPLandroidx/compose/ui/platform/OutlineResolver;->update-uvyYCjk(J)V -HPLandroidx/compose/ui/platform/OutlineResolver;->updateCache()V +HSPLandroidx/compose/ui/platform/OutlineResolver;->updateCache()V PLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRect(Landroidx/compose/ui/geometry/Rect;)V HPLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRoundRect(Landroidx/compose/ui/geometry/RoundRect;)V Landroidx/compose/ui/platform/PlatformTextInputSessionHandler; @@ -9895,8 +9878,8 @@ HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHasDisplayList()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getLeft()I HSPLandroidx/compose/ui/platform/RenderNodeApi29;->getMatrix(Landroid/graphics/Matrix;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getTop()I -HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->record(Landroidx/compose/ui/graphics/CanvasHolder;Landroidx/compose/ui/graphics/Path;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToBounds(Z)V @@ -9920,7 +9903,7 @@ HPLandroidx/compose/ui/platform/RenderNodeLayer;->resize-ozmzZPI(J)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->setDirty(Z)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->triggerRepaint()V HPLandroidx/compose/ui/platform/RenderNodeLayer;->updateDisplayList()V -HSPLandroidx/compose/ui/platform/RenderNodeLayer;->updateLayerProperties(Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/platform/RenderNodeLayer;->updateLayerProperties(Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/platform/RenderNodeLayer$Companion; HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->()V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10262,7 +10245,7 @@ HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyReceiver; Landroidx/compose/ui/text/AndroidParagraph; HSPLandroidx/compose/ui/text/AndroidParagraph;->()V -HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V +HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/AndroidParagraph;->constructTextLayout(IILandroid/text/TextUtils$TruncateAt;IIIII)Landroidx/compose/ui/text/android/TextLayout; HPLandroidx/compose/ui/text/AndroidParagraph;->getDidExceedMaxLines()Z @@ -10391,7 +10374,7 @@ HSPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_tex HPLandroidx/compose/ui/text/SpanStyle;->merge(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt; HSPLandroidx/compose/ui/text/SpanStyleKt;->()V -HPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; +HSPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; HPLandroidx/compose/ui/text/SpanStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/PlatformSpanStyle;)Landroidx/compose/ui/text/PlatformSpanStyle; HPLandroidx/compose/ui/text/SpanStyleKt;->resolveSpanStyleDefaults(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1; @@ -10485,7 +10468,7 @@ HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/Char HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory23; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory26; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V @@ -10869,7 +10852,7 @@ Landroidx/compose/ui/text/intl/PlatformLocale; Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/intl/PlatformLocaleKt; HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->()V -HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; +HPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt; HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->createCharSequence(Ljava/lang/String;FLandroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Lkotlin/jvm/functions/Function4;Z)Ljava/lang/CharSequence; @@ -11170,7 +11153,7 @@ HSPLandroidx/compose/ui/text/style/TextIndent;->getRestLine-XSAIIZE()J Landroidx/compose/ui/text/style/TextIndent$Companion; HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->()V HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; +HPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; Landroidx/compose/ui/text/style/TextMotion; HSPLandroidx/compose/ui/text/style/TextMotion;->()V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZ)V @@ -11216,7 +11199,7 @@ HPLandroidx/compose/ui/unit/Constraints;->box-impl(J)Landroidx/compose/ui/unit/C HPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA$default(JIIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA(JIIII)J -PLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl0(JJ)Z HPLandroidx/compose/ui/unit/Constraints;->getFocusIndex-impl(J)I @@ -11268,7 +11251,7 @@ HPLandroidx/compose/ui/unit/DensityWithConverter;->getFontScale()F Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->()V HPLandroidx/compose/ui/unit/Dp;->(F)V -HPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F +HSPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F HPLandroidx/compose/ui/unit/Dp;->box-impl(F)Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I HSPLandroidx/compose/ui/unit/Dp;->constructor-impl(F)F @@ -11325,9 +11308,9 @@ HPLandroidx/compose/ui/unit/IntOffsetKt;->IntOffset(II)J HSPLandroidx/compose/ui/unit/IntOffsetKt;->plus-Nv-tHpc(JJ)J Landroidx/compose/ui/unit/IntSize; HSPLandroidx/compose/ui/unit/IntSize;->()V -HSPLandroidx/compose/ui/unit/IntSize;->(J)V +HPLandroidx/compose/ui/unit/IntSize;->(J)V HPLandroidx/compose/ui/unit/IntSize;->access$getZero$cp()J -HPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; +HSPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; HPLandroidx/compose/ui/unit/IntSize;->constructor-impl(J)J HSPLandroidx/compose/ui/unit/IntSize;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/unit/IntSize;->equals-impl(JLjava/lang/Object;)Z @@ -11460,9 +11443,9 @@ Landroidx/core/content/OnTrimMemoryProvider; Landroidx/core/graphics/Insets; HSPLandroidx/core/graphics/Insets;->()V HPLandroidx/core/graphics/Insets;->(IIII)V -HSPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z +HPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z HSPLandroidx/core/graphics/Insets;->of(IIII)Landroidx/core/graphics/Insets; -HSPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; +HPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; Landroidx/core/graphics/drawable/TintAwareDrawable; Landroidx/core/os/HandlerCompat; HSPLandroidx/core/os/HandlerCompat;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; @@ -11504,11 +11487,13 @@ HSPLandroidx/core/os/LocaleListCompat$Api24Impl;->createLocaleList([Ljava/util/L Landroidx/core/os/LocaleListInterface; Landroidx/core/os/LocaleListPlatformWrapper; HSPLandroidx/core/os/LocaleListPlatformWrapper;->(Ljava/lang/Object;)V -PLandroidx/core/os/TraceCompat;->()V -PLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V -PLandroidx/core/os/TraceCompat;->endSection()V -PLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V -PLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V +Landroidx/core/os/TraceCompat; +HSPLandroidx/core/os/TraceCompat;->()V +HSPLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V +HSPLandroidx/core/os/TraceCompat;->endSection()V +Landroidx/core/os/TraceCompat$Api18Impl; +HSPLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V +HSPLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V PLandroidx/core/util/ObjectsCompat;->requireNonNull(Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/Object; Landroidx/core/util/Preconditions; HSPLandroidx/core/util/Preconditions;->checkNotNull(Ljava/lang/Object;)Ljava/lang/Object; @@ -11644,9 +11629,9 @@ Landroidx/core/view/WindowInsetsCompat$Impl30; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->()V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->(Landroidx/core/view/WindowInsetsCompat;Landroid/view/WindowInsets;)V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->copyRootViewBounds(Landroid/view/View;)V -HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; +HPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsetsIgnoringVisibility(I)Landroidx/core/graphics/Insets; -HPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z +HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z Landroidx/core/view/WindowInsetsCompat$Type; HSPLandroidx/core/view/WindowInsetsCompat$Type;->captionBar()I HSPLandroidx/core/view/WindowInsetsCompat$Type;->displayCutout()I @@ -12258,11 +12243,12 @@ PLandroidx/datastore/preferences/protobuf/WireFormat$JavaType;->values()[Landroi PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->()V PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->(Ljava/lang/String;I)V Landroidx/emoji2/text/ConcurrencyHelpers; -PLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; -PLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; +HSPLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; +HSPLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; HSPLandroidx/emoji2/text/ConcurrencyHelpers;->mainHandlerAsync()Landroid/os/Handler; -PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->(Ljava/lang/String;)V -PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; +Landroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0; +HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->(Ljava/lang/String;)V +HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; Landroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl; HSPLandroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; PLandroidx/emoji2/text/DefaultEmojiCompatConfig;->create(Landroid/content/Context;)Landroidx/emoji2/text/FontRequestEmojiCompatConfig; @@ -12286,18 +12272,19 @@ HSPLandroidx/emoji2/text/EmojiCompat;->get()Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->getLoadState()I HSPLandroidx/emoji2/text/EmojiCompat;->init(Landroidx/emoji2/text/EmojiCompat$Config;)Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->isConfigured()Z -PLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z -PLandroidx/emoji2/text/EmojiCompat;->load()V +HSPLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z +HSPLandroidx/emoji2/text/EmojiCompat;->load()V HSPLandroidx/emoji2/text/EmojiCompat;->loadMetadata()V -PLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V +HSPLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V HSPLandroidx/emoji2/text/EmojiCompat;->registerInitCallback(Landroidx/emoji2/text/EmojiCompat$InitCallback;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal;->(Landroidx/emoji2/text/EmojiCompat;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal19; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->(Landroidx/emoji2/text/EmojiCompat;)V -PLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V -PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V -PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V +HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V +Landroidx/emoji2/text/EmojiCompat$CompatInternal19$1; +HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V +HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V Landroidx/emoji2/text/EmojiCompat$Config; HSPLandroidx/emoji2/text/EmojiCompat$Config;->(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader;)V HSPLandroidx/emoji2/text/EmojiCompat$Config;->setMetadataLoadStrategy(I)Landroidx/emoji2/text/EmojiCompat$Config; @@ -12309,7 +12296,8 @@ HSPLandroidx/emoji2/text/EmojiCompat$InitCallback;->()V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->(Ljava/util/Collection;ILjava/lang/Throwable;)V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->run()V Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader; -PLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V +Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback; +HSPLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V Landroidx/emoji2/text/EmojiCompat$SpanFactory; Landroidx/emoji2/text/EmojiCompatInitializer; HSPLandroidx/emoji2/text/EmojiCompatInitializer;->()V @@ -12325,14 +12313,15 @@ Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig;->(Landroid/content/Context;)V Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->(Landroid/content/Context;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V +Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0; +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V Landroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable; HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->()V -PLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V Landroidx/fragment/app/FragmentActivity; HSPLandroidx/fragment/app/FragmentActivity;->()V HSPLandroidx/fragment/app/FragmentActivity;->dispatchFragmentsOnCreateView(Landroid/view/View;Ljava/lang/String;Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/view/View; @@ -12710,7 +12699,7 @@ HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->set(Landroid/view/View;Land Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V -HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V @@ -12719,7 +12708,7 @@ HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwne HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/runtime/R$id; Landroidx/lifecycle/viewmodel/CreationExtras; -HPLandroidx/lifecycle/viewmodel/CreationExtras;->()V +HSPLandroidx/lifecycle/viewmodel/CreationExtras;->()V HSPLandroidx/lifecycle/viewmodel/CreationExtras;->getMap$lifecycle_viewmodel_release()Ljava/util/Map; Landroidx/lifecycle/viewmodel/CreationExtras$Empty; HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V @@ -12951,7 +12940,8 @@ HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->()V HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->create(Landroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration;)Landroidx/sqlite/db/SupportSQLiteOpenHelper; PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->(Landroid/database/sqlite/SQLiteProgram;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindLong(IJ)V -HPLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindString(ILjava/lang/String;)V +PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindNull(I)V +PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindString(ILjava/lang/String;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->close()V PLandroidx/sqlite/db/framework/FrameworkSQLiteStatement;->(Landroid/database/sqlite/SQLiteStatement;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteStatement;->executeUpdateDelete()I @@ -13043,14 +13033,14 @@ PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->invoke(Ljava/lang/Str Lapp/cash/sqldelight/ColumnAdapter; Lapp/cash/sqldelight/EnumColumnAdapter; HSPLapp/cash/sqldelight/EnumColumnAdapter;->([Ljava/lang/Enum;)V -PLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; +HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/String;)Ljava/lang/Enum; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Enum;)Ljava/lang/String; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Object;)Ljava/lang/Object; Lapp/cash/sqldelight/ExecutableQuery; HSPLapp/cash/sqldelight/ExecutableQuery;->(Lkotlin/jvm/functions/Function1;)V HSPLapp/cash/sqldelight/ExecutableQuery;->executeAsOneOrNull()Ljava/lang/Object; -HPLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; +PLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; Lapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1; HSPLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->(Lapp/cash/sqldelight/ExecutableQuery;)V PLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Lapp/cash/sqldelight/db/QueryResult; @@ -13125,7 +13115,7 @@ PLapp/cash/sqldelight/db/QueryResult$Companion;->getUnit-mlR-ZEE()Ljava/lang/Obj HPLapp/cash/sqldelight/db/QueryResult$Value;->(Ljava/lang/Object;)V PLapp/cash/sqldelight/db/QueryResult$Value;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLapp/cash/sqldelight/db/QueryResult$Value;->await-impl(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; +PLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; PLapp/cash/sqldelight/db/QueryResult$Value;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; HPLapp/cash/sqldelight/db/QueryResult$Value;->getValue()Ljava/lang/Object; Lapp/cash/sqldelight/db/SqlDriver; @@ -13133,9 +13123,9 @@ PLapp/cash/sqldelight/db/SqlDriver$DefaultImpls;->execute$default(Lapp/cash/sqld Lapp/cash/sqldelight/db/SqlPreparedStatement; Lapp/cash/sqldelight/db/SqlSchema; PLapp/cash/sqldelight/driver/android/AndroidCursor;->(Landroid/database/Cursor;Ljava/lang/Long;)V -PLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; +HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getString(I)Ljava/lang/String; -PLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; +HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->(Landroidx/sqlite/db/SupportSQLiteStatement;)V PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->bindLong(ILjava/lang/Long;)V @@ -13146,7 +13136,6 @@ Lapp/cash/sqldelight/driver/android/AndroidQuery; PLapp/cash/sqldelight/driver/android/AndroidQuery;->(Ljava/lang/String;Landroidx/sqlite/db/SupportSQLiteDatabase;ILjava/lang/Long;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindString(ILjava/lang/String;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindTo(Landroidx/sqlite/db/SupportSQLiteProgram;)V -PLapp/cash/sqldelight/driver/android/AndroidQuery;->close()V HPLapp/cash/sqldelight/driver/android/AndroidQuery;->executeQuery(Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidQuery;->getArgCount()I PLapp/cash/sqldelight/driver/android/AndroidQuery;->getSql()Ljava/lang/String; @@ -13164,7 +13153,7 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getTransaction PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getWindowSizeBytes$p(Lapp/cash/sqldelight/driver/android/AndroidSqliteDriver;)Ljava/lang/Long; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->addListener([Ljava/lang/String;Lapp/cash/sqldelight/Query$Listener;)V PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->currentTransaction()Lapp/cash/sqldelight/Transacter$Transaction; -HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; +PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute-zeHU3Mk(Ljava/lang/Integer;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery-0yMERmw(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Ljava/lang/Object; @@ -13200,7 +13189,7 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$executeQuery$2;->invoke Lapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->(I)V PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZILapp/cash/sqldelight/driver/android/AndroidStatement;Lapp/cash/sqldelight/driver/android/AndroidStatement;)V -PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZLjava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)V +HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZLjava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)V Lapp/cash/sqldelight/driver/android/AndroidStatement; PLapp/cash/sqldelight/internal/CurrentThreadIdKt;->currentThreadId()J PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/util/CloseGuard; @@ -13341,7 +13330,7 @@ PLcoil3/RealImageLoader$Options;->getDiskCacheLazy()Lkotlin/Lazy; PLcoil3/RealImageLoader$Options;->getEventListenerFactory()Lcoil3/EventListener$Factory; PLcoil3/RealImageLoader$Options;->getLogger()Lcoil3/util/Logger; PLcoil3/RealImageLoader$Options;->getMemoryCacheLazy()Lkotlin/Lazy; -PLcoil3/RealImageLoader$execute$2;->(Lcoil3/request/ImageRequest;Lcoil3/RealImageLoader;Lkotlin/coroutines/Continuation;)V +HPLcoil3/RealImageLoader$execute$2;->(Lcoil3/request/ImageRequest;Lcoil3/RealImageLoader;Lkotlin/coroutines/Continuation;)V HPLcoil3/RealImageLoader$execute$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/RealImageLoader$execute$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLcoil3/RealImageLoader$execute$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13408,7 +13397,7 @@ HPLcoil3/compose/AsyncImageKt$Content$2;->measure-3p2s80s(Landroidx/compose/ui/l PLcoil3/compose/AsyncImageKt$Content$2$1;->()V PLcoil3/compose/AsyncImageKt$Content$2$1;->()V PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/AsyncImagePainter;->()V HPLcoil3/compose/AsyncImagePainter;->(Lcoil3/request/ImageRequest;Lcoil3/ImageLoader;)V PLcoil3/compose/AsyncImagePainter;->access$getDefaultTransform$cp()Lkotlin/jvm/functions/Function1; @@ -13458,7 +13447,7 @@ PLcoil3/compose/AsyncImagePainter$State$Success;->()V PLcoil3/compose/AsyncImagePainter$State$Success;->(Landroidx/compose/ui/graphics/painter/Painter;Lcoil3/request/SuccessResult;)V PLcoil3/compose/AsyncImagePainter$State$Success;->getPainter()Landroidx/compose/ui/graphics/painter/Painter; PLcoil3/compose/AsyncImagePainter$State$Success;->getResult()Lcoil3/request/SuccessResult; -HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V +PLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V PLcoil3/compose/AsyncImagePainter$onRemembered$1;->access$invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/compose/AsyncImagePainter$onRemembered$1;->invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13498,7 +13487,7 @@ HPLcoil3/compose/internal/ConstraintsSizeResolver;->measure-3p2s80s(Landroidx/co HPLcoil3/compose/internal/ConstraintsSizeResolver;->size(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->(Lkotlinx/coroutines/flow/Flow;)V HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V @@ -13512,16 +13501,16 @@ HPLcoil3/compose/internal/ContentPainterModifier;->measure-3p2s80s(Landroidx/com HPLcoil3/compose/internal/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J PLcoil3/compose/internal/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/internal/CrossfadePainter;->()V PLcoil3/compose/internal/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V -HPLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J +PLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J HPLcoil3/compose/internal/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J HPLcoil3/compose/internal/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V -HPLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; +PLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; PLcoil3/compose/internal/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J -HPLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I -HPLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F +PLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I +PLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F HPLcoil3/compose/internal/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V PLcoil3/compose/internal/CrossfadePainter;->setInvalidateTick(I)V PLcoil3/compose/internal/UtilsKt;->()V @@ -13586,8 +13575,8 @@ PLcoil3/disk/DiskLruCache;->access$getLock$p(Lcoil3/disk/DiskLruCache;)Ljava/lan PLcoil3/disk/DiskLruCache;->access$getValueCount$p(Lcoil3/disk/DiskLruCache;)I PLcoil3/disk/DiskLruCache;->checkNotClosed()V HPLcoil3/disk/DiskLruCache;->completeEdit(Lcoil3/disk/DiskLruCache$Editor;Z)V -PLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; -PLcoil3/disk/DiskLruCache;->get(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Snapshot; +HPLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; +HPLcoil3/disk/DiskLruCache;->get(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache;->initialize()V PLcoil3/disk/DiskLruCache;->journalRewriteRequired()Z PLcoil3/disk/DiskLruCache;->newJournalWriter()Lokio/BufferedSink; @@ -13599,7 +13588,7 @@ PLcoil3/disk/DiskLruCache$Editor;->(Lcoil3/disk/DiskLruCache;Lcoil3/disk/D PLcoil3/disk/DiskLruCache$Editor;->commit()V PLcoil3/disk/DiskLruCache$Editor;->commitAndGet()Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache$Editor;->complete(Z)V -PLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; +HPLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; PLcoil3/disk/DiskLruCache$Editor;->getEntry()Lcoil3/disk/DiskLruCache$Entry; PLcoil3/disk/DiskLruCache$Editor;->getWritten()[Z HPLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V @@ -13679,7 +13668,7 @@ PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->(Lcoil3/inte PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$fetch$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$intercept$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V @@ -13759,7 +13748,7 @@ PLcoil3/memory/WeakReferenceMemoryCache$Companion;->()V PLcoil3/memory/WeakReferenceMemoryCache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;)V PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/network/CacheResponse;->(Lokio/BufferedSource;)V +HPLcoil3/network/CacheResponse;->(Lokio/BufferedSource;)V PLcoil3/network/CacheResponse;->getResponseHeaders()Lcoil3/network/NetworkHeaders; HPLcoil3/network/CacheResponse;->writeTo(Lokio/BufferedSink;)V PLcoil3/network/ImageRequestsKt;->()V @@ -13811,7 +13800,7 @@ PLcoil3/network/NetworkHeaders;->get(Ljava/lang/String;)Ljava/lang/String; PLcoil3/network/NetworkHeaders;->newBuilder()Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->()V PLcoil3/network/NetworkHeaders$Builder;->(Lcoil3/network/NetworkHeaders;)V -HPLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->build()Lcoil3/network/NetworkHeaders; PLcoil3/network/NetworkHeaders$Builder;->set(Ljava/lang/String;Ljava/util/List;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Companion;->()V @@ -13864,7 +13853,7 @@ PLcoil3/network/ktor/internal/Utils_commonKt;->access$toNetworkResponse(Lio/ktor PLcoil3/network/ktor/internal/Utils_commonKt;->takeFrom(Lio/ktor/http/HeadersBuilder;Lcoil3/network/NetworkHeaders;)V PLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkHeaders(Lio/ktor/http/Headers;)Lcoil3/network/NetworkHeaders; -PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt$toHttpRequestBuilder$1;->(Lkotlin/coroutines/Continuation;)V PLcoil3/network/ktor/internal/Utils_commonKt$toNetworkResponse$1;->(Lkotlin/coroutines/Continuation;)V PLcoil3/network/okhttp/OkHttpNetworkFetcher;->factory()Lcoil3/network/NetworkFetcher$Factory; @@ -13898,7 +13887,7 @@ PLcoil3/request/CachePolicy;->(Ljava/lang/String;IZZ)V PLcoil3/request/CachePolicy;->getReadEnabled()Z PLcoil3/request/CachePolicy;->getWriteEnabled()Z HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;)V -PLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/request/ImageRequest;->equals(Ljava/lang/Object;)Z HPLcoil3/request/ImageRequest;->getContext()Landroid/content/Context; HPLcoil3/request/ImageRequest;->getData()Ljava/lang/Object; @@ -13914,7 +13903,7 @@ PLcoil3/request/ImageRequest;->getFetcherFactory()Lkotlin/Pair; HPLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; PLcoil3/request/ImageRequest;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest;->getListener()Lcoil3/request/ImageRequest$Listener; -HPLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; +PLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; HPLcoil3/request/ImageRequest;->getMemoryCacheKeyExtras()Ljava/util/Map; PLcoil3/request/ImageRequest;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; @@ -13953,7 +13942,7 @@ PLcoil3/request/ImageRequest$Defaults;->getExtras()Lcoil3/Extras; HPLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest$Defaults;->getFileSystem()Lokio/FileSystem; HPLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -PLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getPrecision()Lcoil3/size/Precision; PLcoil3/request/ImageRequest$Defaults$Companion;->()V @@ -13969,7 +13958,7 @@ PLcoil3/request/ImageRequest$Defined;->getMemoryCachePolicy()Lcoil3/request/Cach PLcoil3/request/ImageRequest$Defined;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defined;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defined;->getPrecision()Lcoil3/size/Precision; -PLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; +HPLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; HPLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequestKt;->resolveScale(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/Scale; HPLcoil3/request/ImageRequestKt;->resolveSizeResolver(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/SizeResolver; @@ -14163,7 +14152,7 @@ Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3; -HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->unregister()V Lcom/slack/circuit/backstack/CompositeProvidedValues; HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->()V @@ -14185,7 +14174,8 @@ HSPLcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver;->onRe Lcom/slack/circuit/backstack/ProvidedValues; Lcom/slack/circuit/backstack/SaveableBackStack; HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I @@ -14234,11 +14224,11 @@ Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/SaveableBackStackKt; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; -Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->(Lkotlin/jvm/functions/Function1;)V -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Ljava/util/List;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; +Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->(Ljava/util/List;)V +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider; HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V @@ -14500,6 +14490,7 @@ Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V Lcom/slack/circuit/foundation/NavigatorImplKt; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)Lcom/slack/circuit/runtime/Navigator; HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; @@ -14722,10 +14713,6 @@ HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Landroidx/co HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1;->(Ljava/lang/Object;)V -Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1; -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->(Lkotlinx/collections/immutable/PersistentList;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Lcom/slack/circuit/backstack/SaveableBackStack;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1;->(Ljava/lang/Object;)V Lcom/slack/circuit/star/MainActivity$sam$com_slack_circuitx_android_AndroidScreenStarter$0; @@ -14782,7 +14769,7 @@ Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenter$Factory; Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory; HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->()V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->(Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenter$Factory;)V -PLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory; HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory; @@ -14836,6 +14823,7 @@ PLcom/slack/circuit/star/data/Animal;->getSize()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getStatus()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getUrl()Ljava/lang/String; PLcom/slack/circuit/star/data/AnimalJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V +HPLcom/slack/circuit/star/data/AnimalJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/AnimalsResponse;->()V PLcom/slack/circuit/star/data/AnimalsResponse;->(Ljava/util/List;Lcom/slack/circuit/star/data/Pagination;)V PLcom/slack/circuit/star/data/AnimalsResponse;->getAnimals()Ljava/util/List; @@ -15091,7 +15079,7 @@ HSPLcom/slack/circuit/star/db/Animal$Adapter;->()V HSPLcom/slack/circuit/star/db/Animal$Adapter;->(Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;)V HPLcom/slack/circuit/star/db/Animal$Adapter;->getGenderAdapter()Lapp/cash/sqldelight/ColumnAdapter; HPLcom/slack/circuit/star/db/Animal$Adapter;->getPhotoUrlsAdapter()Lapp/cash/sqldelight/ColumnAdapter; -PLcom/slack/circuit/star/db/Animal$Adapter;->getSizeAdapter()Lapp/cash/sqldelight/ColumnAdapter; +HPLcom/slack/circuit/star/db/Animal$Adapter;->getSizeAdapter()Lapp/cash/sqldelight/ColumnAdapter; PLcom/slack/circuit/star/db/Animal$Adapter;->getTagsAdapter()Lapp/cash/sqldelight/ColumnAdapter; Lcom/slack/circuit/star/db/Gender; HSPLcom/slack/circuit/star/db/Gender;->$values()[Lcom/slack/circuit/star/db/Gender; @@ -15277,7 +15265,7 @@ HSPLcom/slack/circuit/star/home/AboutFactory_Factory$InstanceHolder;->() Lcom/slack/circuit/star/home/AboutPresenterFactory; HSPLcom/slack/circuit/star/home/AboutPresenterFactory;->()V HSPLcom/slack/circuit/star/home/AboutPresenterFactory;->()V -PLcom/slack/circuit/star/home/AboutPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/home/AboutPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/home/AboutPresenterFactory_Factory; HSPLcom/slack/circuit/star/home/AboutPresenterFactory_Factory;->()V HSPLcom/slack/circuit/star/home/AboutPresenterFactory_Factory;->create()Lcom/slack/circuit/star/home/AboutPresenterFactory_Factory; @@ -15423,7 +15411,7 @@ Lcom/slack/circuit/star/imageviewer/ImageViewerPresenter$Factory; Lcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->(Lcom/slack/circuit/star/imageviewer/ImageViewerPresenter$Factory;)V -PLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory; @@ -15551,7 +15539,7 @@ Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory; Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->()V HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->(Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory;)V -PLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; @@ -15571,10 +15559,10 @@ HPLcom/slack/circuit/star/petlist/PetListAnimal;->(JLjava/lang/String;Ljav PLcom/slack/circuit/star/petlist/PetListAnimal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getBreed()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getGender()Lcom/slack/circuit/star/db/Gender; -HPLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J +PLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J PLcom/slack/circuit/star/petlist/PetListAnimal;->getImageUrl()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getName()Ljava/lang/String; -PLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; +HPLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; Lcom/slack/circuit/star/petlist/PetListFactory; HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V @@ -15601,7 +15589,7 @@ PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$6(Landroidx/c PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/CircuitUiState; HPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/petlist/PetListScreen$State; -PLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z +HPLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z Lcom/slack/circuit/star/petlist/PetListPresenter$Factory; PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lcom/slack/circuit/runtime/GoToNavigator;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1; @@ -15687,7 +15675,7 @@ HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2;->invoke(Ljava/lang Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1; HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/runtime/Composer;I)V -HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$1$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3; @@ -15905,8 +15893,8 @@ PLcom/squareup/moshi/JsonReader$Token;->()V PLcom/squareup/moshi/JsonReader$Token;->(Ljava/lang/String;I)V PLcom/squareup/moshi/JsonUtf8Reader;->()V PLcom/squareup/moshi/JsonUtf8Reader;->(Lokio/BufferedSource;)V -PLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V -PLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V +HPLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V +HPLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V HPLcom/squareup/moshi/JsonUtf8Reader;->endArray()V HPLcom/squareup/moshi/JsonUtf8Reader;->endObject()V HPLcom/squareup/moshi/JsonUtf8Reader;->findName(Ljava/lang/String;Lcom/squareup/moshi/JsonReader$Options;)I @@ -15916,9 +15904,7 @@ HPLcom/squareup/moshi/JsonUtf8Reader;->nextBoolean()Z PLcom/squareup/moshi/JsonUtf8Reader;->nextInt()I PLcom/squareup/moshi/JsonUtf8Reader;->nextLong()J HPLcom/squareup/moshi/JsonUtf8Reader;->nextName()Ljava/lang/String; -HPLcom/squareup/moshi/JsonUtf8Reader;->nextNonWhitespace(Z)I HPLcom/squareup/moshi/JsonUtf8Reader;->nextNull()Ljava/lang/Object; -HPLcom/squareup/moshi/JsonUtf8Reader;->nextQuotedValue(Lokio/ByteString;)Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->nextString()Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->peek()Lcom/squareup/moshi/JsonReader$Token; HPLcom/squareup/moshi/JsonUtf8Reader;->peekKeyword()I @@ -16083,7 +16069,7 @@ PLio/ktor/client/HttpClient;->getSendPipeline()Lio/ktor/client/request/HttpSendP PLio/ktor/client/HttpClient$2;->(Lio/ktor/client/HttpClient;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/HttpClient$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/HttpClient$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->invoke(Lio/ktor/client/HttpClient;)V @@ -16197,8 +16183,6 @@ PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->(Lkotlinx/coroutines/D PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->(Lkotlinx/coroutines/Job;)V -PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->(Lio/ktor/http/Headers;Lio/ktor/http/content/OutgoingContent;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Lio/ktor/http/HeadersBuilder;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -16206,7 +16190,6 @@ PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->(Lkotlin/jvm/functions/Fu PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/String;Ljava/util/List;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->(Lio/ktor/client/request/HttpRequestData;Lkotlinx/coroutines/CancellableContinuation;)V -PLio/ktor/client/engine/okhttp/OkHttpCallback;->onFailure(Lokhttp3/Call;Ljava/io/IOException;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->onResponse(Lokhttp3/Call;Lokhttp3/Response;)V PLio/ktor/client/engine/okhttp/OkHttpConfig;->()V PLio/ktor/client/engine/okhttp/OkHttpConfig;->getClientCacheSize()I @@ -16268,8 +16251,6 @@ PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Headers;)Lio/ktor PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Protocol;)Lio/ktor/http/HttpProtocolVersion; PLio/ktor/client/engine/okhttp/OkUtilsKt$WhenMappings;->()V PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->(Lokhttp3/Call;)V -PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->(Lokhttp3/Headers;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->entries()Ljava/util/Set; PLio/ktor/client/plugins/BodyProgress;->()V @@ -16305,7 +16286,7 @@ PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidatio PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultTransformKt;->()V PLio/ktor/client/plugins/DefaultTransformKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/DefaultTransformKt;->defaultTransformers(Lio/ktor/client/HttpClient;)V @@ -16334,10 +16315,8 @@ PLio/ktor/client/plugins/HttpCallValidator;->()V PLio/ktor/client/plugins/HttpCallValidator;->(Ljava/util/List;Ljava/util/List;Z)V PLio/ktor/client/plugins/HttpCallValidator;->access$getExpectSuccess$p(Lio/ktor/client/plugins/HttpCallValidator;)Z PLio/ktor/client/plugins/HttpCallValidator;->access$getKey$cp()Lio/ktor/util/AttributeKey; -PLio/ktor/client/plugins/HttpCallValidator;->access$processException(Lio/ktor/client/plugins/HttpCallValidator;Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator;->access$validateResponse(Lio/ktor/client/plugins/HttpCallValidator;Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpCallValidator;->processException(Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpCallValidator;->validateResponse(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpCallValidator;->validateResponse(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Companion;->()V PLio/ktor/client/plugins/HttpCallValidator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/client/plugins/HttpCallValidator$Companion;->getKey()Lio/ktor/util/AttributeKey; @@ -16366,16 +16345,11 @@ PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseExceptionHandlers PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseValidators$ktor_client_core()Ljava/util/List; PLio/ktor/client/plugins/HttpCallValidator$Config;->setExpectSuccess(Z)V PLio/ktor/client/plugins/HttpCallValidator$Config;->validateResponse(Lkotlin/jvm/functions/Function2;)V -PLio/ktor/client/plugins/HttpCallValidator$processException$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidator$validateResponse$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidatorKt;->()V -PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpResponseValidator(Lio/ktor/client/HttpClientConfig;Lkotlin/jvm/functions/Function1;)V -PLio/ktor/client/plugins/HttpCallValidatorKt;->access$HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/HttpCallValidatorKt;->getExpectSuccessAttributeKey()Lio/ktor/util/AttributeKey; -PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->(Lio/ktor/client/request/HttpRequestBuilder;)V -PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->getUrl()Lio/ktor/http/Url; PLio/ktor/client/plugins/HttpClientPluginKt;->()V PLio/ktor/client/plugins/HttpClientPluginKt;->getPLUGIN_INSTALLED_LIST()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpClientPluginKt;->plugin(Lio/ktor/client/HttpClient;Lio/ktor/client/plugins/HttpClientPlugin;)Ljava/lang/Object; @@ -16467,11 +16441,9 @@ PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetry$p(Lio/ktor/cli PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetryOnException$p(Lio/ktor/client/plugins/HttpRequestRetry;)Lkotlin/jvm/functions/Function3; PLio/ktor/client/plugins/HttpRequestRetry;->access$prepareRequest(Lio/ktor/client/plugins/HttpRequestRetry;Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetry(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z -PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetryOnException(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry;->intercept$ktor_client_core(Lio/ktor/client/HttpClient;)V PLio/ktor/client/plugins/HttpRequestRetry;->prepareRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetry(IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z -PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetryOnException(IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->delayMillis(ZLkotlin/jvm/functions/Function2;)V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->exponentialDelay$default(Lio/ktor/client/plugins/HttpRequestRetry$Configuration;DJJZILjava/lang/Object;)V @@ -16497,8 +16469,6 @@ PLio/ktor/client/plugins/HttpRequestRetry$Configuration$exponentialDelay$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$modifyRequest$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->(Z)V -PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Ljava/lang/Boolean; -PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequest;Lio/ktor/client/statement/HttpResponse;)Ljava/lang/Boolean; @@ -16524,8 +16494,6 @@ PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getModifyRequestPerRequestA PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getRetryDelayPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryOnExceptionPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; -PLio/ktor/client/plugins/HttpRequestRetryKt;->access$isTimeoutException(Ljava/lang/Throwable;)Z -PLio/ktor/client/plugins/HttpRequestRetryKt;->isTimeoutException(Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpSend;->()V PLio/ktor/client/plugins/HttpSend;->(I)V PLio/ktor/client/plugins/HttpSend;->(ILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16569,7 +16537,6 @@ PLio/ktor/client/request/HttpRequestBuilder;->getBody()Ljava/lang/Object; PLio/ktor/client/request/HttpRequestBuilder;->getBodyType()Lio/ktor/util/reflect/TypeInfo; PLio/ktor/client/request/HttpRequestBuilder;->getExecutionContext()Lkotlinx/coroutines/Job; PLio/ktor/client/request/HttpRequestBuilder;->getHeaders()Lio/ktor/http/HeadersBuilder; -PLio/ktor/client/request/HttpRequestBuilder;->getMethod()Lio/ktor/http/HttpMethod; PLio/ktor/client/request/HttpRequestBuilder;->getUrl()Lio/ktor/http/URLBuilder; PLio/ktor/client/request/HttpRequestBuilder;->setBody(Ljava/lang/Object;)V PLio/ktor/client/request/HttpRequestBuilder;->setBodyType(Lio/ktor/util/reflect/TypeInfo;)V @@ -16619,7 +16586,7 @@ PLio/ktor/client/request/HttpSendPipeline$Phases;->getEngine()Lio/ktor/util/pipe PLio/ktor/client/request/HttpSendPipeline$Phases;->getReceive()Lio/ktor/util/pipeline/PipelinePhase; PLio/ktor/client/request/RequestBodyKt;->()V PLio/ktor/client/request/RequestBodyKt;->getBodyTypeAttributeKey()Lio/ktor/util/AttributeKey; -PLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V +HPLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V PLio/ktor/client/statement/DefaultHttpResponse;->getCall()Lio/ktor/client/call/HttpClientCall; PLio/ktor/client/statement/DefaultHttpResponse;->getContent()Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/client/statement/DefaultHttpResponse;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -16659,7 +16626,6 @@ PLio/ktor/client/statement/HttpStatement;->cleanup(Lio/ktor/client/statement/Htt HPLio/ktor/client/statement/HttpStatement;->execute(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/statement/HttpStatement;->executeUnsafe(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$cleanup$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V -PLio/ktor/client/statement/HttpStatement$cleanup$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$execute$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/statement/HttpStatement$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$executeUnsafe$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V @@ -16671,7 +16637,6 @@ PLio/ktor/client/utils/ClientEventsKt;->getHttpResponseReceived()Lio/ktor/events PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->getContentLength()Ljava/lang/Long; -PLio/ktor/client/utils/ExceptionUtilsJvmKt;->unwrapCancellationException(Ljava/lang/Throwable;)Ljava/lang/Throwable; PLio/ktor/client/utils/HeadersKt;->buildHeaders(Lkotlin/jvm/functions/Function1;)Lio/ktor/http/Headers; PLio/ktor/events/EventDefinition;->()V PLio/ktor/events/Events;->()V @@ -16906,7 +16871,7 @@ PLio/ktor/http/URLBuilderKt;->access$appendTo(Lio/ktor/http/URLBuilder;Ljava/lan HPLio/ktor/http/URLBuilderKt;->appendTo(Lio/ktor/http/URLBuilder;Ljava/lang/Appendable;)Ljava/lang/Appendable; HPLio/ktor/http/URLBuilderKt;->getAuthority(Lio/ktor/http/URLBuilder;)Ljava/lang/String; PLio/ktor/http/URLBuilderKt;->getEncodedPath(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -HPLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; +PLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; PLio/ktor/http/URLBuilderKt;->joinPath(Ljava/util/List;)Ljava/lang/String; PLio/ktor/http/URLParserKt;->()V PLio/ktor/http/URLParserKt;->count(Ljava/lang/String;IIC)I @@ -16980,7 +16945,7 @@ PLio/ktor/util/CaseInsensitiveMap;->entrySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/String;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->getEntries()Ljava/util/Set; -HPLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; +PLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; PLio/ktor/util/CaseInsensitiveMap;->isEmpty()Z PLio/ktor/util/CaseInsensitiveMap;->keySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -17053,7 +17018,7 @@ PLio/ktor/util/StringValuesBuilderImpl;->isEmpty()Z PLio/ktor/util/StringValuesBuilderImpl;->names()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->set(Ljava/lang/String;Ljava/lang/String;)V HPLio/ktor/util/StringValuesBuilderImpl;->validateName(Ljava/lang/String;)V -HPLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V +PLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->(Lio/ktor/util/StringValuesBuilderImpl;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/String;Ljava/util/List;)V @@ -17135,16 +17100,13 @@ PLio/ktor/util/pipeline/PipelinePhaseRelation$After;->(Lio/ktor/util/pipel PLio/ktor/util/pipeline/PipelinePhaseRelation$Before;->(Lio/ktor/util/pipeline/PipelinePhase;)V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V -PLio/ktor/util/pipeline/StackTraceRecoverJvmKt;->withCause(Ljava/lang/Throwable;Ljava/lang/Throwable;)Ljava/lang/Throwable; -PLio/ktor/util/pipeline/StackTraceRecoverKt;->recoverStackTraceBridge(Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Throwable; HPLio/ktor/util/pipeline/SuspendFunctionGun;->(Ljava/lang/Object;Ljava/lang/Object;Ljava/util/List;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getLastSuspensionIndex$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)I PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getSuspensions$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)[Lkotlin/coroutines/Continuation; PLio/ktor/util/pipeline/SuspendFunctionGun;->access$loop(Lio/ktor/util/pipeline/SuspendFunctionGun;Z)Z -PLio/ktor/util/pipeline/SuspendFunctionGun;->access$resumeRootWith(Lio/ktor/util/pipeline/SuspendFunctionGun;Ljava/lang/Object;)V -PLio/ktor/util/pipeline/SuspendFunctionGun;->addContinuation(Lkotlin/coroutines/Continuation;)V +HPLio/ktor/util/pipeline/SuspendFunctionGun;->addContinuation(Lkotlin/coroutines/Continuation;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->discardLastRootContinuation()V -PLio/ktor/util/pipeline/SuspendFunctionGun;->execute$ktor_utils(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/util/pipeline/SuspendFunctionGun;->execute$ktor_utils(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/util/pipeline/SuspendFunctionGun;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/pipeline/SuspendFunctionGun;->getSubject()Ljava/lang/Object; HPLio/ktor/util/pipeline/SuspendFunctionGun;->loop(Z)Z @@ -17183,8 +17145,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->carryIndex(Ljava/nio/ByteBuffer;I)I HPLio/ktor/utils/io/ByteBufferChannel;->close(Ljava/lang/Throwable;)Z HPLio/ktor/utils/io/ByteBufferChannel;->copyDirect$ktor_io(Lio/ktor/utils/io/ByteBufferChannel;JLio/ktor/utils/io/internal/JoiningState;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->currentState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; -PLio/ktor/utils/io/ByteBufferChannel;->flush()V -HPLio/ktor/utils/io/ByteBufferChannel;->flushImpl(I)V +HPLio/ktor/utils/io/ByteBufferChannel;->flush()V PLio/ktor/utils/io/ByteBufferChannel;->getAutoFlush()Z PLio/ktor/utils/io/ByteBufferChannel;->getAvailableForRead()I HPLio/ktor/utils/io/ByteBufferChannel;->getClosed()Lio/ktor/utils/io/internal/ClosedElement; @@ -17194,7 +17155,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->getState()Lio/ktor/utils/io/internal/Rea PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesRead()J HPLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J HPLio/ktor/utils/io/ByteBufferChannel;->getWriteOp()Lkotlin/coroutines/Continuation; -PLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z +HPLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z HPLio/ktor/utils/io/ByteBufferChannel;->newBuffer()Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial; HPLio/ktor/utils/io/ByteBufferChannel;->prepareBuffer(Ljava/nio/ByteBuffer;II)V HPLio/ktor/utils/io/ByteBufferChannel;->read$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -17202,7 +17163,7 @@ PLio/ktor/utils/io/ByteBufferChannel;->read(ILkotlin/jvm/functions/Function1;Lko HPLio/ktor/utils/io/ByteBufferChannel;->readBlockSuspend(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspendImpl(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V +HPLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/ByteBufferChannel;->resolveChannelInstance$ktor_io()Lio/ktor/utils/io/ByteBufferChannel; HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterRead()V HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterWrite$ktor_io()V @@ -17256,7 +17217,7 @@ PLio/ktor/utils/io/ChannelScope;->(Lkotlinx/coroutines/CoroutineScope;Lio/ PLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteChannel; HPLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteWriteChannel; PLio/ktor/utils/io/ClosedWriteChannelException;->(Ljava/lang/String;)V -PLio/ktor/utils/io/CoroutinesKt;->launchChannel(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lio/ktor/utils/io/ByteChannel;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/ChannelJob; +HPLio/ktor/utils/io/CoroutinesKt;->launchChannel(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lio/ktor/utils/io/ByteChannel;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/ChannelJob; PLio/ktor/utils/io/CoroutinesKt;->writer$default(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ZLkotlin/jvm/functions/Function2;ILjava/lang/Object;)Lio/ktor/utils/io/WriterJob; PLio/ktor/utils/io/CoroutinesKt;->writer(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/WriterJob; PLio/ktor/utils/io/CoroutinesKt$launchChannel$1;->(Lio/ktor/utils/io/ByteChannel;)V @@ -17333,18 +17294,14 @@ PLio/ktor/utils/io/core/internal/UnsafeKt;->()V PLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V -PLio/ktor/utils/io/internal/CancellableReusableContinuation;->access$notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Throwable;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->completeSuspendBlock(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/utils/io/internal/CancellableReusableContinuation;->notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->parent(Lkotlin/coroutines/CoroutineContext;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->resumeWith(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lkotlinx/coroutines/Job;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->dispose()V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->getJob()Lkotlinx/coroutines/Job; -PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->()V PLio/ktor/utils/io/internal/ClosedElement;->(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->access$getEmptyCause$cp()Lio/ktor/utils/io/internal/ClosedElement; @@ -17372,22 +17329,19 @@ PLio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty;->startWriting$kto PLio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->(Ljava/nio/ByteBuffer;I)V PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->(Ljava/nio/ByteBuffer;IILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getIdleState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getIdleState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->getReadBuffer()Ljava/nio/ByteBuffer; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getReadBuffer()Ljava/nio/ByteBuffer; -PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; @@ -17399,7 +17353,7 @@ HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->getWriteBuffer()Ljav PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->()V PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->getEmptyByteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->getEmptyCapacity()Lio/ktor/utils/io/internal/RingBufferCapacity; @@ -17409,7 +17363,7 @@ HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeRead(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeWrite(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->flush()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->resetForWrite()V HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z @@ -17426,14 +17380,14 @@ PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/lang/Object;)L HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/nio/ByteBuffer;)V PLio/ktor/utils/io/pool/DefaultPool;->()V PLio/ktor/utils/io/pool/DefaultPool;->(I)V -PLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; +HPLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; PLio/ktor/utils/io/pool/DefaultPool;->clearInstance(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->popTop()I HPLio/ktor/utils/io/pool/DefaultPool;->pushTop(I)V HPLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V HPLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->tryPush(Ljava/lang/Object;)Z -PLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V +HPLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V Lio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0; HPLio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReferenceArray;ILjava/lang/Object;Ljava/lang/Object;)Z PLio/ktor/utils/io/pool/DefaultPool$Companion;->()V @@ -17464,8 +17418,8 @@ Lkotlin/Pair; HPLkotlin/Pair;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLkotlin/Pair;->component1()Ljava/lang/Object; HSPLkotlin/Pair;->component2()Ljava/lang/Object; -HSPLkotlin/Pair;->getFirst()Ljava/lang/Object; -HPLkotlin/Pair;->getSecond()Ljava/lang/Object; +HPLkotlin/Pair;->getFirst()Ljava/lang/Object; +HSPLkotlin/Pair;->getSecond()Ljava/lang/Object; Lkotlin/Result; HSPLkotlin/Result;->()V HPLkotlin/Result;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; @@ -17602,7 +17556,7 @@ HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([Ljava/lang/Object;II)[Ljava/lang/Object; HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([IIIIILjava/lang/Object;)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([JJIIILjava/lang/Object;)V -HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V +HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([IIII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([JJII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([Ljava/lang/Object;Ljava/lang/Object;II)V @@ -17613,7 +17567,7 @@ Lkotlin/collections/ArraysKt___ArraysKt; PLkotlin/collections/ArraysKt___ArraysKt;->contains([II)Z PLkotlin/collections/ArraysKt___ArraysKt;->filterNotNull([Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/ArraysKt___ArraysKt;->filterNotNullTo([Ljava/lang/Object;Ljava/util/Collection;)Ljava/util/Collection; -PLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([I)I +HPLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([I)I HPLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([Ljava/lang/Object;)I PLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([II)Ljava/lang/Integer; HPLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([Ljava/lang/Object;I)Ljava/lang/Object; @@ -17708,7 +17662,7 @@ HSPLkotlin/collections/EmptyMap;->()V HSPLkotlin/collections/EmptyMap;->containsKey(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyMap;->entrySet()Ljava/util/Set; PLkotlin/collections/EmptyMap;->equals(Ljava/lang/Object;)Z -HPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; PLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Void; HSPLkotlin/collections/EmptyMap;->getEntries()Ljava/util/Set; HSPLkotlin/collections/EmptyMap;->getKeys()Ljava/util/Set; @@ -17726,7 +17680,7 @@ PLkotlin/collections/EmptySet;->getSize()I PLkotlin/collections/EmptySet;->hashCode()I PLkotlin/collections/EmptySet;->isEmpty()Z HPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; -PLkotlin/collections/EmptySet;->size()I +HPLkotlin/collections/EmptySet;->size()I Lkotlin/collections/IntIterator; HPLkotlin/collections/IntIterator;->()V Lkotlin/collections/MapWithDefault; @@ -17879,7 +17833,6 @@ PLkotlin/coroutines/AbstractCoroutineContextKey;->isSubKey$kotlin_stdlib(Lkotlin PLkotlin/coroutines/AbstractCoroutineContextKey;->tryCast$kotlin_stdlib(Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext$Element; Lkotlin/coroutines/CombinedContext; HPLkotlin/coroutines/CombinedContext;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)V -HPLkotlin/coroutines/CombinedContext;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLkotlin/coroutines/CombinedContext;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLkotlin/coroutines/CombinedContext;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLkotlin/coroutines/CombinedContext;->plus(Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; @@ -17908,7 +17861,6 @@ Lkotlin/coroutines/CoroutineContext$plus$1; HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext; Lkotlin/coroutines/EmptyCoroutineContext; HSPLkotlin/coroutines/EmptyCoroutineContext;->()V HSPLkotlin/coroutines/EmptyCoroutineContext;->()V @@ -17940,7 +17892,6 @@ Lkotlin/coroutines/jvm/internal/ContinuationImpl; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/CoroutineContext;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->getContext()Lkotlin/coroutines/CoroutineContext; -HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->intercepted()Lkotlin/coroutines/Continuation; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->releaseIntercepted()V Lkotlin/coroutines/jvm/internal/CoroutineStackFrame; Lkotlin/coroutines/jvm/internal/DebugProbesKt; @@ -17948,7 +17899,7 @@ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineCreated(Lkotlin/ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineResumed(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineSuspended(Lkotlin/coroutines/Continuation;)V PLkotlin/coroutines/jvm/internal/RestrictedContinuationImpl;->(Lkotlin/coroutines/Continuation;)V -PLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V +HPLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V Lkotlin/coroutines/jvm/internal/SuspendFunction; Lkotlin/coroutines/jvm/internal/SuspendLambda; HPLkotlin/coroutines/jvm/internal/SuspendLambda;->(ILkotlin/coroutines/Continuation;)V @@ -17968,7 +17919,7 @@ Lkotlin/internal/PlatformImplementationsKt; HSPLkotlin/internal/PlatformImplementationsKt;->()V Lkotlin/internal/ProgressionUtilKt; HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(III)I -HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J +PLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J HPLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(III)I PLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(JJJ)J HSPLkotlin/internal/ProgressionUtilKt;->mod(II)I @@ -18060,7 +18011,6 @@ HSPLkotlin/jvm/internal/IntCompanionObject;->()V HSPLkotlin/jvm/internal/IntCompanionObject;->()V Lkotlin/jvm/internal/Intrinsics; HSPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Float;F)Z -HPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Object;Ljava/lang/Object;)Z HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;Ljava/lang/String;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNullExpressionValue(Ljava/lang/Object;Ljava/lang/String;)V @@ -18119,7 +18069,7 @@ HPLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljav PLkotlin/jvm/internal/TypeIntrinsics;->castToList(Ljava/lang/Object;)Ljava/util/List; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToSet(Ljava/lang/Object;)Ljava/util/Set; -HPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I +HSPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I HPLkotlin/jvm/internal/TypeIntrinsics;->isFunctionOfArity(Ljava/lang/Object;I)Z HSPLkotlin/jvm/internal/TypeIntrinsics;->isMutableSet(Ljava/lang/Object;)Z PLkotlin/jvm/internal/TypeReference;->()V @@ -18181,8 +18131,8 @@ Lkotlin/ranges/ClosedRange; Lkotlin/ranges/IntProgression; HSPLkotlin/ranges/IntProgression;->()V HPLkotlin/ranges/IntProgression;->(III)V -HSPLkotlin/ranges/IntProgression;->getFirst()I -HSPLkotlin/ranges/IntProgression;->getLast()I +HPLkotlin/ranges/IntProgression;->getFirst()I +HPLkotlin/ranges/IntProgression;->getLast()I PLkotlin/ranges/IntProgression;->getStep()I HPLkotlin/ranges/IntProgression;->iterator()Ljava/util/Iterator; HPLkotlin/ranges/IntProgression;->iterator()Lkotlin/collections/IntIterator; @@ -18210,7 +18160,7 @@ PLkotlin/ranges/LongProgression$Companion;->()V PLkotlin/ranges/LongProgression$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLkotlin/ranges/LongRange;->()V PLkotlin/ranges/LongRange;->(JJ)V -HPLkotlin/ranges/LongRange;->contains(J)Z +PLkotlin/ranges/LongRange;->contains(J)Z PLkotlin/ranges/LongRange$Companion;->()V PLkotlin/ranges/LongRange$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlin/ranges/OpenEndRange; @@ -18306,11 +18256,11 @@ Lkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1; HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; -HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/sequences/TransformingSequence; HPLkotlin/sequences/TransformingSequence;->(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)V HSPLkotlin/sequences/TransformingSequence;->access$getSequence$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/sequences/Sequence; -HSPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; +HPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; HPLkotlin/sequences/TransformingSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/TransformingSequence$iterator$1; HPLkotlin/sequences/TransformingSequence$iterator$1;->(Lkotlin/sequences/TransformingSequence;)V @@ -18403,7 +18353,7 @@ PLkotlin/text/StringsKt__StringsKt;->removeSuffix(Ljava/lang/String;Ljava/lang/C PLkotlin/text/StringsKt__StringsKt;->requireNonNegativeLimit(I)V HPLkotlin/text/StringsKt__StringsKt;->split$StringsKt__StringsKt(Ljava/lang/CharSequence;Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[CZIILjava/lang/Object;)Ljava/util/List; -PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; +HPLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[CZI)Ljava/util/List; HPLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->startsWith$default(Ljava/lang/CharSequence;Ljava/lang/CharSequence;ZILjava/lang/Object;)Z @@ -18416,14 +18366,14 @@ HPLkotlin/text/StringsKt__StringsKt;->trim(Ljava/lang/CharSequence;)Ljava/lang/C Lkotlin/text/StringsKt___StringsJvmKt; Lkotlin/text/StringsKt___StringsKt; HPLkotlin/text/StringsKt___StringsKt;->last(Ljava/lang/CharSequence;)C -PLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; +HPLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; PLkotlin/time/Duration;->()V PLkotlin/time/Duration;->constructor-impl(J)J PLkotlin/time/Duration;->getInWholeDays-impl(J)J -HPLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J +PLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J PLkotlin/time/Duration;->getInWholeSeconds-impl(J)J PLkotlin/time/Duration;->getNanosecondsComponent-impl(J)I -HPLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; +PLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; PLkotlin/time/Duration;->getValue-impl(J)J PLkotlin/time/Duration;->isInMillis-impl(J)Z PLkotlin/time/Duration;->isInNanos-impl(J)Z @@ -18447,11 +18397,11 @@ PLkotlin/time/DurationUnit;->(Ljava/lang/String;ILjava/util/concurrent/Tim PLkotlin/time/DurationUnit;->getTimeUnit$kotlin_stdlib()Ljava/util/concurrent/TimeUnit; HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnit(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnitOverflow(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J -HPLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J +PLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/LongSaturatedMathKt;->saturatingFiniteDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/MonotonicTimeSource;->()V PLkotlin/time/MonotonicTimeSource;->()V -HPLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J +PLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J PLkotlin/time/MonotonicTimeSource;->markNow-z9LOYto()J PLkotlin/time/MonotonicTimeSource;->read()J PLkotlin/time/TimeSource$Monotonic;->()V @@ -18494,7 +18444,7 @@ HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIter HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->hasNext()Z HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->setIndex(I)V Lkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList; -HPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V +HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V HPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->iterator()Ljava/util/Iterator; HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->listIterator()Ljava/util/ListIterator; Lkotlinx/collections/immutable/implementations/immutableList/BufferIterator; @@ -18503,8 +18453,8 @@ HPLkotlinx/collections/immutable/implementations/immutableList/BufferIterator;-> PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->([Ljava/lang/Object;[Ljava/lang/Object;II)V HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->bufferFor(I)[Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->get(I)Ljava/lang/Object; -HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I -HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I +PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I +PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I Lkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->(Lkotlinx/collections/immutable/PersistentList;[Ljava/lang/Object;[Ljava/lang/Object;I)V HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->add(Ljava/lang/Object;)Z @@ -18532,7 +18482,7 @@ HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVe Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->()V HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->getEMPTY()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; +HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->getEMPTY()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; Lkotlinx/collections/immutable/implementations/immutableList/UtilsKt; HPLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->persistentVectorOf()Lkotlinx/collections/immutable/PersistentList; PLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->rootSize(I)I @@ -18564,12 +18514,12 @@ HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z +HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$kotlinx_collections_immutable(I)I HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableUpdateValueAtIndex(ILjava/lang/Object;Lkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -18648,7 +18598,7 @@ PLkotlinx/coroutines/AbstractCoroutine;->cancellationExceptionMessage()Ljava/lan HPLkotlinx/coroutines/AbstractCoroutine;->getContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->isActive()Z -PLkotlinx/coroutines/AbstractCoroutine;->onCancelled(Ljava/lang/Throwable;Z)V +HSPLkotlinx/coroutines/AbstractCoroutine;->onCancelled(Ljava/lang/Throwable;Z)V HSPLkotlinx/coroutines/AbstractCoroutine;->onCompleted(Ljava/lang/Object;)V HPLkotlinx/coroutines/AbstractCoroutine;->onCompletionInternal(Ljava/lang/Object;)V HPLkotlinx/coroutines/AbstractCoroutine;->resumeWith(Ljava/lang/Object;)V @@ -18689,7 +18639,7 @@ Lkotlinx/coroutines/CancellableContinuation; Lkotlinx/coroutines/CancellableContinuationImpl; HSPLkotlinx/coroutines/CancellableContinuationImpl;->()V HPLkotlinx/coroutines/CancellableContinuationImpl;->(Lkotlin/coroutines/Continuation;I)V -PLkotlinx/coroutines/CancellableContinuationImpl;->callCancelHandler(Lkotlinx/coroutines/CancelHandler;Ljava/lang/Throwable;)V +HSPLkotlinx/coroutines/CancellableContinuationImpl;->callCancelHandler(Lkotlinx/coroutines/CancelHandler;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->callSegmentOnCancellation(Lkotlinx/coroutines/internal/Segment;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->cancel(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/CancellableContinuationImpl;->cancelCompletedResult$kotlinx_coroutines_core(Ljava/lang/Object;Ljava/lang/Throwable;)V @@ -18714,7 +18664,6 @@ HPLkotlinx/coroutines/CancellableContinuationImpl;->installParentHandle()Lkotlin HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlin/jvm/functions/Function1;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellationImpl(Ljava/lang/Object;)V -PLkotlinx/coroutines/CancellableContinuationImpl;->isCancelled()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isCompleted()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isReusable()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->makeCancelHandler(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/CancelHandler; @@ -18757,10 +18706,10 @@ Lkotlinx/coroutines/CompletableJob; Lkotlinx/coroutines/CompletedContinuation; HPLkotlinx/coroutines/CompletedContinuation;->(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/CompletedContinuation;->(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLkotlinx/coroutines/CompletedContinuation;->copy$default(Lkotlinx/coroutines/CompletedContinuation;Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;ILjava/lang/Object;)Lkotlinx/coroutines/CompletedContinuation; -PLkotlinx/coroutines/CompletedContinuation;->copy(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;)Lkotlinx/coroutines/CompletedContinuation; -PLkotlinx/coroutines/CompletedContinuation;->getCancelled()Z -PLkotlinx/coroutines/CompletedContinuation;->invokeHandlers(Lkotlinx/coroutines/CancellableContinuationImpl;Ljava/lang/Throwable;)V +HSPLkotlinx/coroutines/CompletedContinuation;->copy$default(Lkotlinx/coroutines/CompletedContinuation;Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;ILjava/lang/Object;)Lkotlinx/coroutines/CompletedContinuation; +HSPLkotlinx/coroutines/CompletedContinuation;->copy(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;)Lkotlinx/coroutines/CompletedContinuation; +HSPLkotlinx/coroutines/CompletedContinuation;->getCancelled()Z +HSPLkotlinx/coroutines/CompletedContinuation;->invokeHandlers(Lkotlinx/coroutines/CancellableContinuationImpl;Ljava/lang/Throwable;)V Lkotlinx/coroutines/CompletedExceptionally; HSPLkotlinx/coroutines/CompletedExceptionally;->()V HPLkotlinx/coroutines/CompletedExceptionally;->(Ljava/lang/Throwable;Z)V @@ -18934,7 +18883,7 @@ Lkotlinx/coroutines/InactiveNodeList; Lkotlinx/coroutines/Incomplete; Lkotlinx/coroutines/InvokeOnCancel; HPLkotlinx/coroutines/InvokeOnCancel;->(Lkotlin/jvm/functions/Function1;)V -PLkotlinx/coroutines/InvokeOnCancel;->invoke(Ljava/lang/Throwable;)V +HSPLkotlinx/coroutines/InvokeOnCancel;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/InvokeOnCancelling;->()V PLkotlinx/coroutines/InvokeOnCancelling;->(Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/InvokeOnCancelling;->get_invoked$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; @@ -18962,7 +18911,6 @@ HPLkotlinx/coroutines/JobCancellingNode;->()V Lkotlinx/coroutines/JobImpl; HPLkotlinx/coroutines/JobImpl;->(Lkotlinx/coroutines/Job;)V PLkotlinx/coroutines/JobImpl;->complete()Z -PLkotlinx/coroutines/JobImpl;->completeExceptionally(Ljava/lang/Throwable;)Z HSPLkotlinx/coroutines/JobImpl;->getHandlesException$kotlinx_coroutines_core()Z PLkotlinx/coroutines/JobImpl;->getOnCancelComplete$kotlinx_coroutines_core()Z HPLkotlinx/coroutines/JobImpl;->handlesException()Z @@ -19007,7 +18955,7 @@ HPLkotlinx/coroutines/JobSupport;->cancelParent(Ljava/lang/Throwable;)Z PLkotlinx/coroutines/JobSupport;->cancellationExceptionMessage()Ljava/lang/String; HPLkotlinx/coroutines/JobSupport;->childCancelled(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/JobSupport;->completeStateFinalization(Lkotlinx/coroutines/Incomplete;Ljava/lang/Object;)V -HPLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V +PLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport;->createCauseException(Ljava/lang/Object;)Ljava/lang/Throwable; HPLkotlinx/coroutines/JobSupport;->finalizeFinishingState(Lkotlinx/coroutines/JobSupport$Finishing;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->firstChild(Lkotlinx/coroutines/Incomplete;)Lkotlinx/coroutines/ChildHandleNode; @@ -19025,7 +18973,6 @@ HPLkotlinx/coroutines/JobSupport;->get_parentHandle$volatile$FU()Ljava/util/conc HPLkotlinx/coroutines/JobSupport;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport;->initParentJob(Lkotlinx/coroutines/Job;)V HSPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; -HPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(ZZLkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; HPLkotlinx/coroutines/JobSupport;->isActive()Z PLkotlinx/coroutines/JobSupport;->isCancelled()Z HPLkotlinx/coroutines/JobSupport;->isCompleted()Z @@ -19034,7 +18981,7 @@ PLkotlinx/coroutines/JobSupport;->join(Lkotlin/coroutines/Continuation;)Ljava/la PLkotlinx/coroutines/JobSupport;->joinInternal()Z PLkotlinx/coroutines/JobSupport;->joinSuspend(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeCancelling(Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/JobSupport;->makeCompleting$kotlinx_coroutines_core(Ljava/lang/Object;)Z +HPLkotlinx/coroutines/JobSupport;->makeCompleting$kotlinx_coroutines_core(Ljava/lang/Object;)Z HPLkotlinx/coroutines/JobSupport;->makeCompletingOnce$kotlinx_coroutines_core(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeNode(Lkotlin/jvm/functions/Function1;Z)Lkotlinx/coroutines/JobNode; HPLkotlinx/coroutines/JobSupport;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; @@ -19072,7 +19019,7 @@ HPLkotlinx/coroutines/JobSupport$Finishing;->getRootCause()Ljava/lang/Throwable; HPLkotlinx/coroutines/JobSupport$Finishing;->get_exceptionsHolder$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport$Finishing;->get_isCompleting$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/JobSupport$Finishing;->get_rootCause$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; -PLkotlinx/coroutines/JobSupport$Finishing;->isActive()Z +HSPLkotlinx/coroutines/JobSupport$Finishing;->isActive()Z HPLkotlinx/coroutines/JobSupport$Finishing;->isCancelling()Z HPLkotlinx/coroutines/JobSupport$Finishing;->isCompleting()Z PLkotlinx/coroutines/JobSupport$Finishing;->isSealed()Z @@ -19108,7 +19055,6 @@ Lkotlinx/coroutines/ParentJob; PLkotlinx/coroutines/ResumeAwaitOnCompletion;->(Lkotlinx/coroutines/CancellableContinuationImpl;)V HPLkotlinx/coroutines/ResumeAwaitOnCompletion;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/ResumeOnCompletion;->(Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/ResumeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/StandaloneCoroutine; HPLkotlinx/coroutines/StandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Z)V Lkotlinx/coroutines/SupervisorJobImpl; @@ -19227,7 +19173,7 @@ PLkotlinx/coroutines/channels/BufferedChannel;->removeUnprocessedElements(Lkotli PLkotlinx/coroutines/channels/BufferedChannel;->resumeReceiverOnClosedChannel(Lkotlinx/coroutines/Waiter;)V HPLkotlinx/coroutines/channels/BufferedChannel;->resumeWaiterOnClosedChannel(Lkotlinx/coroutines/Waiter;Z)V HPLkotlinx/coroutines/channels/BufferedChannel;->send$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/channels/BufferedChannel;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/BufferedChannel;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->shouldSendSuspend(J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->tryReceive-PtdJZtk()Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->tryResumeReceiver(Ljava/lang/Object;Ljava/lang/Object;)Z @@ -19289,7 +19235,7 @@ PLkotlinx/coroutines/channels/ChannelCoroutine;->cancel(Ljava/util/concurrent/Ca PLkotlinx/coroutines/channels/ChannelCoroutine;->cancelInternal(Ljava/lang/Throwable;)V PLkotlinx/coroutines/channels/ChannelCoroutine;->get_channel()Lkotlinx/coroutines/channels/Channel; HSPLkotlinx/coroutines/channels/ChannelCoroutine;->iterator()Lkotlinx/coroutines/channels/ChannelIterator; -PLkotlinx/coroutines/channels/ChannelCoroutine;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelCoroutine;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/channels/ChannelIterator; Lkotlinx/coroutines/channels/ChannelKt; HPLkotlinx/coroutines/channels/ChannelKt;->Channel$default(ILkotlinx/coroutines/channels/BufferOverflow;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Lkotlinx/coroutines/channels/Channel; @@ -19470,7 +19416,7 @@ Lkotlinx/coroutines/flow/SharedFlowImpl; HPLkotlinx/coroutines/flow/SharedFlowImpl;->(IILkotlinx/coroutines/channels/BufferOverflow;)V HSPLkotlinx/coroutines/flow/SharedFlowImpl;->access$tryPeekLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;Lkotlinx/coroutines/flow/SharedFlowSlot;)J HPLkotlinx/coroutines/flow/SharedFlowImpl;->awaitValue(Lkotlinx/coroutines/flow/SharedFlowSlot;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/SharedFlowImpl;->cleanupTailLocked()V +HSPLkotlinx/coroutines/flow/SharedFlowImpl;->cleanupTailLocked()V HPLkotlinx/coroutines/flow/SharedFlowImpl;->collect$suspendImpl(Lkotlinx/coroutines/flow/SharedFlowImpl;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/SharedFlowImpl;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/SharedFlowImpl;->createSlot()Lkotlinx/coroutines/flow/SharedFlowSlot; @@ -19483,7 +19429,7 @@ HPLkotlinx/coroutines/flow/SharedFlowImpl;->findSlotsToResumeLocked([Lkotlin/cor HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getBufferEndIndex()J HPLkotlinx/coroutines/flow/SharedFlowImpl;->getHead()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getLastReplayedLocked()Ljava/lang/Object; -PLkotlinx/coroutines/flow/SharedFlowImpl;->getPeekedValueLockedAt(J)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getPeekedValueLockedAt(J)Ljava/lang/Object; PLkotlinx/coroutines/flow/SharedFlowImpl;->getQueueEndIndex()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getReplaySize()I HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getTotalSize()I @@ -19511,7 +19457,7 @@ Lkotlinx/coroutines/flow/SharedFlowSlot; HSPLkotlinx/coroutines/flow/SharedFlowSlot;->()V HSPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Ljava/lang/Object;)Z HPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)Z -PLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Ljava/lang/Object;)[Lkotlin/coroutines/Continuation; +HSPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Ljava/lang/Object;)[Lkotlin/coroutines/Continuation; HPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)[Lkotlin/coroutines/Continuation; PLkotlinx/coroutines/flow/SharingCommand;->$values()[Lkotlinx/coroutines/flow/SharingCommand; PLkotlinx/coroutines/flow/SharingCommand;->()V @@ -19538,9 +19484,9 @@ HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->command(Lkotlinx/coroutines HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->equals(Ljava/lang/Object;)Z Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$1; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->(Lkotlinx/coroutines/flow/StartedWhileSubscribed;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$2; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->(Lkotlin/coroutines/Continuation;)V PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; @@ -19587,9 +19533,9 @@ Lkotlinx/coroutines/flow/internal/AbortFlowException; PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Lkotlinx/coroutines/flow/FlowCollector;)V HPLkotlinx/coroutines/flow/internal/AbortFlowException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/AbstractSharedFlow; -HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V +HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getNCollectors(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)I -PLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getSlots(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)[Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; +HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getSlots(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)[Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->allocateSlot()Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->freeSlot(Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot;)V HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->getNCollectors()I @@ -19629,7 +19575,7 @@ PLkotlinx/coroutines/flow/internal/ChannelFlowOperatorImpl;->flowCollect(Lkotlin Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest; HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->(Lkotlin/jvm/functions/Function3;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)V HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->(Lkotlin/jvm/functions/Function3;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->access$getTransform$p(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;)Lkotlin/jvm/functions/Function3; +HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->access$getTransform$p(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;)Lkotlin/jvm/functions/Function3; HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->create(Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/internal/ChannelFlow; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->flowCollect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3; @@ -19727,7 +19673,6 @@ HPLkotlinx/coroutines/internal/ContextScope;->(Lkotlin/coroutines/Coroutin HPLkotlinx/coroutines/internal/ContextScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/internal/DispatchedContinuation; HSPLkotlinx/coroutines/internal/DispatchedContinuation;->()V -HPLkotlinx/coroutines/internal/DispatchedContinuation;->(Lkotlinx/coroutines/CoroutineDispatcher;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->awaitReusability$kotlinx_coroutines_core()V PLkotlinx/coroutines/internal/DispatchedContinuation;->cancelCompletedResult$kotlinx_coroutines_core(Ljava/lang/Object;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->claimReusableCancellableContinuation$kotlinx_coroutines_core()Lkotlinx/coroutines/CancellableContinuationImpl; @@ -19801,15 +19746,12 @@ HSPLkotlinx/coroutines/internal/LockFreeTaskQueue;->(Z)V HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->addLast(Ljava/lang/Object;)Z HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->get_cur$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; -HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->(IZ)V -HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->addLast(Ljava/lang/Object;)I HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getArray()Ljava/util/concurrent/atomic/AtomicReferenceArray; HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; -HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -19847,7 +19789,7 @@ PLkotlinx/coroutines/internal/Segment;->isRemoved()Z HPLkotlinx/coroutines/internal/Segment;->onSlotCleaned()V PLkotlinx/coroutines/internal/Segment;->tryIncPointers$kotlinx_coroutines_core()Z PLkotlinx/coroutines/internal/SegmentOrClosed;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; +HPLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; PLkotlinx/coroutines/internal/SegmentOrClosed;->isClosed-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/internal/Symbol;->(Ljava/lang/String;)V @@ -19900,7 +19842,7 @@ HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->(IIJLjava/lang/String;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->access$getControlState$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->addToGlobalQueue(Lkotlinx/coroutines/scheduling/Task;)Z -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I +HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createTask(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->currentWorker()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->dispatch(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;Z)V @@ -19909,7 +19851,7 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->getParkedWorkersStack$vola HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->get_isTerminated$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->isTerminated()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackNextIndex(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)I -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; +HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPush(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Z PLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackTopUpdate(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;II)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->runSafely(Lkotlinx/coroutines/scheduling/Task;)V @@ -19924,9 +19866,9 @@ HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->()V -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;I)V -PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->access$getThis$0$p(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Lkotlinx/coroutines/scheduling/CoroutineScheduler; +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->access$getThis$0$p(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Lkotlinx/coroutines/scheduling/CoroutineScheduler; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->afterTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->beforeTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->executeTask(Lkotlinx/coroutines/scheduling/Task;)V @@ -19940,7 +19882,9 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->idleReset(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->inStack()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->nextInt(I)I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->park()V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->pollGlobalQueues()Lkotlinx/coroutines/scheduling/Task; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->run()V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setNextParkedWorker(Ljava/lang/Object;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryAcquireCpuPermit()Z @@ -19995,7 +19939,7 @@ HSPLkotlinx/coroutines/scheduling/WorkQueue;->()V HSPLkotlinx/coroutines/scheduling/WorkQueue;->()V HPLkotlinx/coroutines/scheduling/WorkQueue;->add(Lkotlinx/coroutines/scheduling/Task;Z)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->addLast(Lkotlinx/coroutines/scheduling/Task;)Lkotlinx/coroutines/scheduling/Task; -PLkotlinx/coroutines/scheduling/WorkQueue;->decrementIfBlocking(Lkotlinx/coroutines/scheduling/Task;)V +HPLkotlinx/coroutines/scheduling/WorkQueue;->decrementIfBlocking(Lkotlinx/coroutines/scheduling/Task;)V PLkotlinx/coroutines/scheduling/WorkQueue;->getBlockingTasksInBuffer$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; PLkotlinx/coroutines/scheduling/WorkQueue;->getBufferSize()I HPLkotlinx/coroutines/scheduling/WorkQueue;->getConsumerIndex$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; @@ -20006,6 +19950,7 @@ PLkotlinx/coroutines/scheduling/WorkQueue;->pollBlocking()Lkotlinx/coroutines/sc HPLkotlinx/coroutines/scheduling/WorkQueue;->pollBuffer()Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->pollWithExclusiveMode(Z)Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->stealWithExclusiveMode(I)Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->tryExtractFromTheMiddle(IZ)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->trySteal(ILkotlin/jvm/internal/Ref$ObjectRef;)J HPLkotlinx/coroutines/scheduling/WorkQueue;->tryStealLastScheduled(ILkotlin/jvm/internal/Ref$ObjectRef;)J Lkotlinx/coroutines/selects/SelectInstance; @@ -20028,7 +19973,7 @@ PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->(Lk PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->completeResume(Ljava/lang/Object;)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; -HPLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner$tryResume$token$1;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;)V Lkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1; HPLkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1;->(Lkotlinx/coroutines/sync/MutexImpl;)V @@ -20075,6 +20020,7 @@ Lkotlinx/coroutines/sync/SemaphoreSegment; HPLkotlinx/coroutines/sync/SemaphoreSegment;->(JLkotlinx/coroutines/sync/SemaphoreSegment;I)V PLkotlinx/coroutines/sync/SemaphoreSegment;->getAcquirers()Ljava/util/concurrent/atomic/AtomicReferenceArray; PLkotlinx/coroutines/sync/SemaphoreSegment;->getNumberOfSlots()I +PLkotlinx/coroutines/sync/SemaphoreSegment;->onCancellation(ILjava/lang/Throwable;Lkotlin/coroutines/CoroutineContext;)V PLkotlinx/datetime/Clock$System;->()V PLkotlinx/datetime/Clock$System;->()V PLkotlinx/datetime/Clock$System;->now()Lkotlinx/datetime/Instant; @@ -20113,7 +20059,7 @@ PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;)V PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;Lokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/Cache;->get$okhttp(Lokhttp3/Request;)Lokhttp3/Response; PLokhttp3/Cache;->getWriteSuccessCount$okhttp()I -PLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; +HPLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; PLokhttp3/Cache;->remove$okhttp(Lokhttp3/Request;)V PLokhttp3/Cache;->setWriteSuccessCount$okhttp(I)V PLokhttp3/Cache;->trackResponse$okhttp(Lokhttp3/internal/cache/CacheStrategy;)V @@ -20125,8 +20071,8 @@ PLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Headers;Lokhttp3/Headers;)Lokhttp3/Headers; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Response;)Lokhttp3/Headers; PLokhttp3/Cache$Entry;->()V -PLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V -PLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V +HPLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V +HPLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V HPLokhttp3/Cache$Entry;->writeTo(Lokhttp3/internal/cache/DiskLruCache$Editor;)V PLokhttp3/Cache$Entry$Companion;->()V PLokhttp3/Cache$Entry$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -20251,9 +20197,7 @@ PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->cacheMiss(Lokhttp3/Call;)V PLokhttp3/EventListener;->callEnd(Lokhttp3/Call;)V -PLokhttp3/EventListener;->callFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->callStart(Lokhttp3/Call;)V -PLokhttp3/EventListener;->canceled(Lokhttp3/Call;)V PLokhttp3/EventListener;->connectEnd(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;Lokhttp3/Protocol;)V PLokhttp3/EventListener;->connectStart(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;)V PLokhttp3/EventListener;->connectionAcquired(Lokhttp3/Call;Lokhttp3/Connection;)V @@ -20268,7 +20212,6 @@ PLokhttp3/EventListener;->requestHeadersEnd(Lokhttp3/Call;Lokhttp3/Request;)V PLokhttp3/EventListener;->requestHeadersStart(Lokhttp3/Call;)V PLokhttp3/EventListener;->responseBodyEnd(Lokhttp3/Call;J)V PLokhttp3/EventListener;->responseBodyStart(Lokhttp3/Call;)V -PLokhttp3/EventListener;->responseFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->responseHeadersEnd(Lokhttp3/Call;Lokhttp3/Response;)V PLokhttp3/EventListener;->responseHeadersStart(Lokhttp3/Call;)V PLokhttp3/EventListener;->secureConnectEnd(Lokhttp3/Call;Lokhttp3/Handshake;)V @@ -20309,11 +20252,11 @@ Lokhttp3/Headers; HSPLokhttp3/Headers;->()V HPLokhttp3/Headers;->([Ljava/lang/String;)V HPLokhttp3/Headers;->get(Ljava/lang/String;)Ljava/lang/String; -PLokhttp3/Headers;->getNamesAndValues$okhttp()[Ljava/lang/String; +HPLokhttp3/Headers;->getNamesAndValues$okhttp()[Ljava/lang/String; PLokhttp3/Headers;->name(I)Ljava/lang/String; PLokhttp3/Headers;->newBuilder()Lokhttp3/Headers$Builder; PLokhttp3/Headers;->size()I -PLokhttp3/Headers;->toMultimap()Ljava/util/Map; +HPLokhttp3/Headers;->toMultimap()Ljava/util/Map; PLokhttp3/Headers;->value(I)Ljava/lang/String; HPLokhttp3/Headers$Builder;->()V PLokhttp3/Headers$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; @@ -20687,7 +20630,7 @@ HPLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lo PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaTypeOrNull(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToString(Lokhttp3/MediaType;)Ljava/lang/String; Lokhttp3/internal/_NormalizeJvmKt; -HPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; +HSPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; Lokhttp3/internal/_RequestBodyCommonKt; PLokhttp3/internal/_RequestBodyCommonKt;->commonIsDuplex(Lokhttp3/RequestBody;)Z HSPLokhttp3/internal/_RequestBodyCommonKt;->commonToRequestBody([BLokhttp3/MediaType;II)Lokhttp3/RequestBody; @@ -20711,18 +20654,18 @@ PLokhttp3/internal/_ResponseCommonKt;->checkSupportResponse(Ljava/lang/String;Lo PLokhttp3/internal/_ResponseCommonKt;->commonBody(Lokhttp3/Response$Builder;Lokhttp3/ResponseBody;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonCacheResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonCode(Lokhttp3/Response$Builder;I)Lokhttp3/Response$Builder; -PLokhttp3/internal/_ResponseCommonKt;->commonHeader(Lokhttp3/Response;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_ResponseCommonKt;->commonHeader(Lokhttp3/Response;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_ResponseCommonKt;->commonHeaders(Lokhttp3/Response$Builder;Lokhttp3/Headers;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonMessage(Lokhttp3/Response$Builder;Ljava/lang/String;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonNetworkResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; -PLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; +HPLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonPriorResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonProtocol(Lokhttp3/Response$Builder;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonRequest(Lokhttp3/Response$Builder;Lokhttp3/Request;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonTrailers(Lokhttp3/Response$Builder;Lkotlin/jvm/functions/Function0;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->getCommonCacheControl(Lokhttp3/Response;)Lokhttp3/CacheControl; PLokhttp3/internal/_ResponseCommonKt;->getCommonIsRedirect(Lokhttp3/Response;)Z -PLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z +HPLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->stripBody(Lokhttp3/Response;)Lokhttp3/Response; Lokhttp3/internal/_UtilCommonKt; HSPLokhttp3/internal/_UtilCommonKt;->()V @@ -20796,7 +20739,7 @@ PLokhttp3/internal/cache/DiskLruCache;->(Lokio/FileSystem;Lokio/Path;IIJLo PLokhttp3/internal/cache/DiskLruCache;->checkNotClosed()V HPLokhttp3/internal/cache/DiskLruCache;->completeEdit$okhttp(Lokhttp3/internal/cache/DiskLruCache$Editor;Z)V PLokhttp3/internal/cache/DiskLruCache;->edit$default(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;JILjava/lang/Object;)Lokhttp3/internal/cache/DiskLruCache$Editor; -PLokhttp3/internal/cache/DiskLruCache;->edit(Ljava/lang/String;J)Lokhttp3/internal/cache/DiskLruCache$Editor; +HPLokhttp3/internal/cache/DiskLruCache;->edit(Ljava/lang/String;J)Lokhttp3/internal/cache/DiskLruCache$Editor; PLokhttp3/internal/cache/DiskLruCache;->get(Ljava/lang/String;)Lokhttp3/internal/cache/DiskLruCache$Snapshot; PLokhttp3/internal/cache/DiskLruCache;->getDirectory()Lokio/Path; PLokhttp3/internal/cache/DiskLruCache;->getFileSystem$okhttp()Lokio/FileSystem; @@ -20834,7 +20777,7 @@ PLokhttp3/internal/cache/DiskLruCache$newJournalWriter$faultHidingSink$1;->(Lokio/Sink;Lkotlin/jvm/functions/Function1;)V PLokhttp3/internal/cache/FaultHidingSink;->close()V PLokhttp3/internal/cache/FaultHidingSink;->flush()V -PLokhttp3/internal/cache/FaultHidingSink;->write(Lokio/Buffer;J)V +HPLokhttp3/internal/cache/FaultHidingSink;->write(Lokio/Buffer;J)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;Z)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/Task;->getName()Ljava/lang/String; @@ -20881,7 +20824,7 @@ PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->decorate(Ljava/util/concu PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->execute(Lokhttp3/internal/concurrent/TaskRunner;Ljava/lang/Runnable;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->nanoTime()J PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->(Lokhttp3/internal/concurrent/TaskRunner;)V -PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V +HPLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; @@ -20909,22 +20852,18 @@ PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava/util/List; PLokhttp3/internal/connection/Exchange;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/EventListener;Lokhttp3/internal/connection/ExchangeFinder;Lokhttp3/internal/http/ExchangeCodec;)V PLokhttp3/internal/connection/Exchange;->bodyComplete(JZZLjava/io/IOException;)Ljava/io/IOException; -PLokhttp3/internal/connection/Exchange;->cancel()V PLokhttp3/internal/connection/Exchange;->createRequestBody(Lokhttp3/Request;Z)Lokio/Sink; -PLokhttp3/internal/connection/Exchange;->detachWithViolence()V PLokhttp3/internal/connection/Exchange;->finishRequest()V PLokhttp3/internal/connection/Exchange;->getCall$okhttp()Lokhttp3/internal/connection/RealCall; PLokhttp3/internal/connection/Exchange;->getConnection$okhttp()Lokhttp3/internal/connection/RealConnection; PLokhttp3/internal/connection/Exchange;->getEventListener$okhttp()Lokhttp3/EventListener; PLokhttp3/internal/connection/Exchange;->getFinder$okhttp()Lokhttp3/internal/connection/ExchangeFinder; -PLokhttp3/internal/connection/Exchange;->getHasFailure$okhttp()Z PLokhttp3/internal/connection/Exchange;->isDuplex$okhttp()Z PLokhttp3/internal/connection/Exchange;->noRequestBody()V PLokhttp3/internal/connection/Exchange;->openResponseBody(Lokhttp3/Response;)Lokhttp3/ResponseBody; PLokhttp3/internal/connection/Exchange;->readResponseHeaders(Z)Lokhttp3/Response$Builder; PLokhttp3/internal/connection/Exchange;->responseHeadersEnd(Lokhttp3/Response;)V PLokhttp3/internal/connection/Exchange;->responseHeadersStart()V -PLokhttp3/internal/connection/Exchange;->trackFailure(Ljava/io/IOException;)V PLokhttp3/internal/connection/Exchange;->writeRequestHeaders(Lokhttp3/Request;)V PLokhttp3/internal/connection/Exchange$RequestBodySink;->(Lokhttp3/internal/connection/Exchange;Lokio/Sink;J)V PLokhttp3/internal/connection/Exchange$RequestBodySink;->close()V @@ -20950,7 +20889,6 @@ PLokhttp3/internal/connection/RealCall;->access$getTimeout$p(Lokhttp3/internal/c PLokhttp3/internal/connection/RealCall;->acquireConnectionNoEvents(Lokhttp3/internal/connection/RealConnection;)V PLokhttp3/internal/connection/RealCall;->callDone(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->callStart()V -PLokhttp3/internal/connection/RealCall;->cancel()V HPLokhttp3/internal/connection/RealCall;->createAddress(Lokhttp3/HttpUrl;)Lokhttp3/Address; PLokhttp3/internal/connection/RealCall;->enqueue(Lokhttp3/Callback;)V HPLokhttp3/internal/connection/RealCall;->enterNetworkInterceptorExchange(Lokhttp3/Request;ZLokhttp3/internal/http/RealInterceptorChain;)V @@ -20969,7 +20907,6 @@ HPLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/c PLokhttp3/internal/connection/RealCall;->noMoreExchanges$okhttp(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->redactedUrl$okhttp()Ljava/lang/String; PLokhttp3/internal/connection/RealCall;->releaseConnectionNoEvents$okhttp()Ljava/net/Socket; -PLokhttp3/internal/connection/RealCall;->retryAfterFailure()Z PLokhttp3/internal/connection/RealCall;->timeoutExit(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall$AsyncCall;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/Callback;)V PLokhttp3/internal/connection/RealCall$AsyncCall;->executeOn(Ljava/util/concurrent/ExecutorService;)V @@ -20987,7 +20924,6 @@ PLokhttp3/internal/connection/RealConnection;->getConnectionListener$okhttp()Lok PLokhttp3/internal/connection/RealConnection;->getIdleAtNs()J PLokhttp3/internal/connection/RealConnection;->getNoNewExchanges()Z PLokhttp3/internal/connection/RealConnection;->getRoute()Lokhttp3/Route; -PLokhttp3/internal/connection/RealConnection;->getRouteFailureCount$okhttp()I PLokhttp3/internal/connection/RealConnection;->handshake()Lokhttp3/Handshake; PLokhttp3/internal/connection/RealConnection;->incrementSuccessCount$okhttp()V HPLokhttp3/internal/connection/RealConnection;->isEligible$okhttp(Lokhttp3/Address;Ljava/util/List;)Z @@ -21000,7 +20936,6 @@ PLokhttp3/internal/connection/RealConnection;->routeMatchesAny(Ljava/util/List;) PLokhttp3/internal/connection/RealConnection;->setIdleAtNs(J)V PLokhttp3/internal/connection/RealConnection;->start()V PLokhttp3/internal/connection/RealConnection;->startHttp2()V -PLokhttp3/internal/connection/RealConnection;->trackFailure(Lokhttp3/internal/connection/RealCall;Ljava/io/IOException;)V PLokhttp3/internal/connection/RealConnection$Companion;->()V PLokhttp3/internal/connection/RealConnection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/connection/RealConnectionPool;->()V @@ -21026,7 +20961,6 @@ PLokhttp3/internal/connection/RealRoutePlanner;->planConnectToRoute$okhttp(Lokht PLokhttp3/internal/connection/RealRoutePlanner;->planReuseCallConnection()Lokhttp3/internal/connection/ReusePlan; PLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp$default(Lokhttp3/internal/connection/RealRoutePlanner;Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;ILjava/lang/Object;)Lokhttp3/internal/connection/ReusePlan; HPLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp(Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;)Lokhttp3/internal/connection/ReusePlan; -PLokhttp3/internal/connection/RealRoutePlanner;->retryRoute(Lokhttp3/internal/connection/RealConnection;)Lokhttp3/Route; PLokhttp3/internal/connection/RealRoutePlanner;->sameHostAndPort(Lokhttp3/HttpUrl;)Z PLokhttp3/internal/connection/ReusePlan;->(Lokhttp3/internal/connection/RealConnection;)V PLokhttp3/internal/connection/ReusePlan;->getConnection()Lokhttp3/internal/connection/RealConnection; @@ -21093,9 +21027,6 @@ PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->(Lokhttp3/OkHttpClient;)V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->followUpRequest(Lokhttp3/Response;Lokhttp3/internal/connection/Exchange;)Lokhttp3/Request; PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->isRecoverable(Ljava/io/IOException;Z)Z -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->recover(Ljava/io/IOException;Lokhttp3/internal/connection/RealCall;Lokhttp3/Request;Z)Z -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->requestIsOneShot(Ljava/io/IOException;Lokhttp3/Request;)Z PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine;->()V @@ -21103,7 +21034,7 @@ PLokhttp3/internal/http/StatusLine;->(Lokhttp3/Protocol;ILjava/lang/String PLokhttp3/internal/http/StatusLine;->toString()Ljava/lang/String; PLokhttp3/internal/http/StatusLine$Companion;->()V PLokhttp3/internal/http/StatusLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; +HPLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; PLokhttp3/internal/http2/ErrorCode;->$values()[Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/ErrorCode;->()V PLokhttp3/internal/http2/ErrorCode;->(Ljava/lang/String;II)V @@ -21137,7 +21068,7 @@ PLokhttp3/internal/http2/Hpack$Reader;->insertIntoDynamicTable(ILokhttp3/interna PLokhttp3/internal/http2/Hpack$Reader;->isStaticHeader(I)Z PLokhttp3/internal/http2/Hpack$Reader;->readByte()I HPLokhttp3/internal/http2/Hpack$Reader;->readByteString()Lokio/ByteString; -PLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V +HPLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V PLokhttp3/internal/http2/Hpack$Reader;->readIndexedHeader(I)V PLokhttp3/internal/http2/Hpack$Reader;->readInt(II)I PLokhttp3/internal/http2/Hpack$Reader;->readLiteralHeaderWithIncrementalIndexingIndexedName(I)V @@ -21146,7 +21077,7 @@ PLokhttp3/internal/http2/Hpack$Writer;->(IZLokio/Buffer;)V PLokhttp3/internal/http2/Hpack$Writer;->(IZLokio/Buffer;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http2/Hpack$Writer;->evictToRecoverBytes(I)I PLokhttp3/internal/http2/Hpack$Writer;->insertIntoDynamicTable(Lokhttp3/internal/http2/Header;)V -PLokhttp3/internal/http2/Hpack$Writer;->writeByteString(Lokio/ByteString;)V +HPLokhttp3/internal/http2/Hpack$Writer;->writeByteString(Lokio/ByteString;)V HPLokhttp3/internal/http2/Hpack$Writer;->writeHeaders(Ljava/util/List;)V PLokhttp3/internal/http2/Hpack$Writer;->writeInt(III)V PLokhttp3/internal/http2/Http2;->()V @@ -21156,16 +21087,13 @@ HPLokhttp3/internal/http2/Http2Connection;->(Lokhttp3/internal/http2/Http2 PLokhttp3/internal/http2/Http2Connection;->access$getDEFAULT_SETTINGS$cp()Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Http2Connection;->access$getSettingsListenerQueue$p(Lokhttp3/internal/http2/Http2Connection;)Lokhttp3/internal/concurrent/TaskQueue; PLokhttp3/internal/http2/Http2Connection;->access$getWriterQueue$p(Lokhttp3/internal/http2/Http2Connection;)Lokhttp3/internal/concurrent/TaskQueue; -PLokhttp3/internal/http2/Http2Connection;->access$isShutdown$p(Lokhttp3/internal/http2/Http2Connection;)Z PLokhttp3/internal/http2/Http2Connection;->access$setWriteBytesMaximum$p(Lokhttp3/internal/http2/Http2Connection;J)V PLokhttp3/internal/http2/Http2Connection;->close$okhttp(Lokhttp3/internal/http2/ErrorCode;Lokhttp3/internal/http2/ErrorCode;Ljava/io/IOException;)V PLokhttp3/internal/http2/Http2Connection;->flush()V PLokhttp3/internal/http2/Http2Connection;->getClient$okhttp()Z PLokhttp3/internal/http2/Http2Connection;->getConnectionName$okhttp()Ljava/lang/String; PLokhttp3/internal/http2/Http2Connection;->getFlowControlListener$okhttp()Lokhttp3/internal/http2/FlowControlListener; -PLokhttp3/internal/http2/Http2Connection;->getLastGoodStreamId$okhttp()I PLokhttp3/internal/http2/Http2Connection;->getListener$okhttp()Lokhttp3/internal/http2/Http2Connection$Listener; -PLokhttp3/internal/http2/Http2Connection;->getNextStreamId$okhttp()I PLokhttp3/internal/http2/Http2Connection;->getOkHttpSettings()Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Http2Connection;->getPeerSettings()Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Http2Connection;->getStream(I)Lokhttp3/internal/http2/Http2Stream; @@ -21183,8 +21111,6 @@ PLokhttp3/internal/http2/Http2Connection;->start$default(Lokhttp3/internal/http2 PLokhttp3/internal/http2/Http2Connection;->start(Z)V HPLokhttp3/internal/http2/Http2Connection;->updateConnectionFlowControl$okhttp(J)V PLokhttp3/internal/http2/Http2Connection;->writeData(IZLokio/Buffer;J)V -PLokhttp3/internal/http2/Http2Connection;->writeSynReset$okhttp(ILokhttp3/internal/http2/ErrorCode;)V -PLokhttp3/internal/http2/Http2Connection;->writeSynResetLater$okhttp(ILokhttp3/internal/http2/ErrorCode;)V PLokhttp3/internal/http2/Http2Connection$Builder;->(ZLokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/internal/http2/Http2Connection$Builder;->build()Lokhttp3/internal/http2/Http2Connection; PLokhttp3/internal/http2/Http2Connection$Builder;->flowControlListener(Lokhttp3/internal/http2/FlowControlListener;)Lokhttp3/internal/http2/Http2Connection$Builder; @@ -21219,7 +21145,7 @@ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->applyAndAckSettings(ZL HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->data(ZILokio/BufferedSource;I)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->headers(ZIILjava/util/List;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()Ljava/lang/Object; -PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V +HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->settings(ZLokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->windowUpdate(IJ)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$applyAndAckSettings$1$1$2;->(Lokhttp3/internal/http2/Http2Connection;Lkotlin/jvm/internal/Ref$ObjectRef;)V @@ -21228,14 +21154,10 @@ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$applyAndAckSettings$1$1$ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$settings$1;->(Lokhttp3/internal/http2/Http2Connection$ReaderRunnable;ZLokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$settings$1;->invoke()Ljava/lang/Object; PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$settings$1;->invoke()V -PLokhttp3/internal/http2/Http2Connection$writeSynResetLater$1;->(Lokhttp3/internal/http2/Http2Connection;ILokhttp3/internal/http2/ErrorCode;)V -PLokhttp3/internal/http2/Http2Connection$writeSynResetLater$1;->invoke()Ljava/lang/Object; -PLokhttp3/internal/http2/Http2Connection$writeSynResetLater$1;->invoke()V PLokhttp3/internal/http2/Http2ExchangeCodec;->()V PLokhttp3/internal/http2/Http2ExchangeCodec;->(Lokhttp3/OkHttpClient;Lokhttp3/internal/http/ExchangeCodec$Carrier;Lokhttp3/internal/http/RealInterceptorChain;Lokhttp3/internal/http2/Http2Connection;)V PLokhttp3/internal/http2/Http2ExchangeCodec;->access$getHTTP_2_SKIPPED_REQUEST_HEADERS$cp()Ljava/util/List; PLokhttp3/internal/http2/Http2ExchangeCodec;->access$getHTTP_2_SKIPPED_RESPONSE_HEADERS$cp()Ljava/util/List; -PLokhttp3/internal/http2/Http2ExchangeCodec;->cancel()V PLokhttp3/internal/http2/Http2ExchangeCodec;->createRequestBody(Lokhttp3/Request;J)Lokio/Sink; PLokhttp3/internal/http2/Http2ExchangeCodec;->finishRequest()V PLokhttp3/internal/http2/Http2ExchangeCodec;->getCarrier()Lokhttp3/internal/http/ExchangeCodec$Carrier; @@ -21276,9 +21198,7 @@ PLokhttp3/internal/http2/Http2Stream;->access$doReadTimeout(Lokhttp3/internal/ht PLokhttp3/internal/http2/Http2Stream;->addBytesToWriteWindow(J)V PLokhttp3/internal/http2/Http2Stream;->cancelStreamIfNecessary$okhttp()V PLokhttp3/internal/http2/Http2Stream;->checkOutNotClosed$okhttp()V -PLokhttp3/internal/http2/Http2Stream;->closeInternal(Lokhttp3/internal/http2/ErrorCode;Ljava/io/IOException;)Z -PLokhttp3/internal/http2/Http2Stream;->closeLater(Lokhttp3/internal/http2/ErrorCode;)V -PLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z +HPLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z PLokhttp3/internal/http2/Http2Stream;->getConnection()Lokhttp3/internal/http2/Http2Connection; PLokhttp3/internal/http2/Http2Stream;->getErrorCode$okhttp()Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/Http2Stream;->getId()I @@ -21293,7 +21213,7 @@ PLokhttp3/internal/http2/Http2Stream;->getWriteTimeout$okhttp()Lokhttp3/internal PLokhttp3/internal/http2/Http2Stream;->isLocallyInitiated()Z HPLokhttp3/internal/http2/Http2Stream;->isOpen()Z PLokhttp3/internal/http2/Http2Stream;->readTimeout()Lokio/Timeout; -PLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V +HPLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V HPLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V PLokhttp3/internal/http2/Http2Stream;->setWriteBytesTotal$okhttp(J)V PLokhttp3/internal/http2/Http2Stream;->takeHeaders(Z)Lokhttp3/Headers; @@ -21330,7 +21250,6 @@ HPLokhttp3/internal/http2/Http2Writer;->frameHeader(IIII)V PLokhttp3/internal/http2/Http2Writer;->goAway(ILokhttp3/internal/http2/ErrorCode;[B)V PLokhttp3/internal/http2/Http2Writer;->headers(ZILjava/util/List;)V PLokhttp3/internal/http2/Http2Writer;->maxDataLength()I -PLokhttp3/internal/http2/Http2Writer;->rstStream(ILokhttp3/internal/http2/ErrorCode;)V PLokhttp3/internal/http2/Http2Writer;->settings(Lokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Writer;->windowUpdate(IJ)V PLokhttp3/internal/http2/Http2Writer$Companion;->()V @@ -21338,7 +21257,6 @@ PLokhttp3/internal/http2/Http2Writer$Companion;->(Lkotlin/jvm/internal/Def PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->addCode(III)V -HPLokhttp3/internal/http2/Huffman;->decode(Lokio/BufferedSource;JLokio/BufferedSink;)V HPLokhttp3/internal/http2/Huffman;->encode(Lokio/ByteString;Lokio/BufferedSink;)V PLokhttp3/internal/http2/Huffman;->encodedLength(Lokio/ByteString;)I PLokhttp3/internal/http2/Huffman$Node;->()V @@ -21354,7 +21272,7 @@ PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->get(I)I PLokhttp3/internal/http2/Settings;->getHeaderTableSize()I -PLokhttp3/internal/http2/Settings;->getInitialWindowSize()I +HPLokhttp3/internal/http2/Settings;->getInitialWindowSize()I PLokhttp3/internal/http2/Settings;->getMaxConcurrentStreams()I PLokhttp3/internal/http2/Settings;->getMaxFrameSize(I)I PLokhttp3/internal/http2/Settings;->isSet(I)Z @@ -21363,14 +21281,13 @@ PLokhttp3/internal/http2/Settings;->set(II)Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Settings;->size()I PLokhttp3/internal/http2/Settings$Companion;->()V PLokhttp3/internal/http2/Settings$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLokhttp3/internal/http2/StreamResetException;->(Lokhttp3/internal/http2/ErrorCode;)V PLokhttp3/internal/http2/flowcontrol/WindowCounter;->(I)V PLokhttp3/internal/http2/flowcontrol/WindowCounter;->getUnacknowledged()J PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update$default(Lokhttp3/internal/http2/flowcontrol/WindowCounter;JJILjava/lang/Object;)V HPLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V Lokhttp3/internal/idn/IdnaMappingTable; HSPLokhttp3/internal/idn/IdnaMappingTable;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V -HPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I +HSPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I HPLokhttp3/internal/idn/IdnaMappingTable;->findSectionsIndex(I)I HPLokhttp3/internal/idn/IdnaMappingTable;->map(ILokio/BufferedSink;)Z Lokhttp3/internal/idn/IdnaMappingTableInstanceKt; @@ -21543,37 +21460,31 @@ HPLokio/AsyncTimeout$source$1;->read(Lokio/Buffer;J)J Lokio/Buffer; HPLokio/Buffer;->()V PLokio/Buffer;->clear()V +HPLokio/Buffer;->completeSegmentByteCount()J HPLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; HPLokio/Buffer;->exhausted()Z -HPLokio/Buffer;->getByte(J)B HPLokio/Buffer;->indexOf(BJJ)J PLokio/Buffer;->indexOfElement(Lokio/ByteString;)J -HPLokio/Buffer;->indexOfElement(Lokio/ByteString;J)J HPLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z -PLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z +HPLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z HPLokio/Buffer;->read(Ljava/nio/ByteBuffer;)I HPLokio/Buffer;->read(Lokio/Buffer;J)J HPLokio/Buffer;->read([BII)I -HPLokio/Buffer;->readByte()B HPLokio/Buffer;->readByteArray(J)[B -PLokio/Buffer;->readByteString()Lokio/ByteString; +HPLokio/Buffer;->readByteString()Lokio/ByteString; HPLokio/Buffer;->readByteString(J)Lokio/ByteString; HPLokio/Buffer;->readFully([B)V HPLokio/Buffer;->readInt()I PLokio/Buffer;->readIntLe()I PLokio/Buffer;->readShort()S -HPLokio/Buffer;->readString(JLjava/nio/charset/Charset;)Ljava/lang/String; HSPLokio/Buffer;->readUtf8()Ljava/lang/String; HPLokio/Buffer;->readUtf8(J)Ljava/lang/String; HSPLokio/Buffer;->readUtf8CodePoint()I HPLokio/Buffer;->setSize$okio(J)V HPLokio/Buffer;->size()J -HPLokio/Buffer;->skip(J)V HPLokio/Buffer;->writableSegment$okio(I)Lokio/Segment; -HPLokio/Buffer;->write(Lokio/Buffer;J)V HPLokio/Buffer;->write(Lokio/ByteString;)Lokio/Buffer; HSPLokio/Buffer;->write([B)Lokio/Buffer; -HPLokio/Buffer;->write([BII)Lokio/Buffer; HSPLokio/Buffer;->writeAll(Lokio/Source;)J HPLokio/Buffer;->writeByte(I)Lokio/Buffer; HPLokio/Buffer;->writeByte(I)Lokio/BufferedSink; @@ -21581,9 +21492,8 @@ HPLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; HPLokio/Buffer;->writeInt(I)Lokio/Buffer; PLokio/Buffer;->writeShort(I)Lokio/Buffer; HPLokio/Buffer;->writeUtf8(Ljava/lang/String;)Lokio/Buffer; -HPLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/Buffer; PLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/BufferedSink; -HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; +HPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/BufferedSink; Lokio/Buffer$UnsafeCursor; HSPLokio/Buffer$UnsafeCursor;->()V @@ -21598,7 +21508,7 @@ HSPLokio/ByteString;->compareTo(Lokio/ByteString;)I PLokio/ByteString;->decodeHex(Ljava/lang/String;)Lokio/ByteString; HPLokio/ByteString;->digest$okio(Ljava/lang/String;)Lokio/ByteString; PLokio/ByteString;->encodeUtf8(Ljava/lang/String;)Lokio/ByteString; -PLokio/ByteString;->endsWith(Lokio/ByteString;)Z +HPLokio/ByteString;->endsWith(Lokio/ByteString;)Z HPLokio/ByteString;->equals(Ljava/lang/Object;)Z HPLokio/ByteString;->getByte(I)B HPLokio/ByteString;->getData$okio()[B @@ -21616,10 +21526,10 @@ PLokio/ByteString;->lastIndexOf$default(Lokio/ByteString;Lokio/ByteString;IILjav PLokio/ByteString;->lastIndexOf(Lokio/ByteString;I)I HPLokio/ByteString;->lastIndexOf([BI)I PLokio/ByteString;->md5()Lokio/ByteString; -HSPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z +HPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z HPLokio/ByteString;->rangeEquals(I[BII)Z PLokio/ByteString;->setHashCode$okio(I)V -HSPLokio/ByteString;->setUtf8$okio(Ljava/lang/String;)V +HPLokio/ByteString;->setUtf8$okio(Ljava/lang/String;)V PLokio/ByteString;->sha256()Lokio/ByteString; HPLokio/ByteString;->size()I HSPLokio/ByteString;->startsWith(Lokio/ByteString;)Z @@ -21660,7 +21570,7 @@ PLokio/FileSystem;->createDirectories(Lokio/Path;)V PLokio/FileSystem;->createDirectories(Lokio/Path;Z)V PLokio/FileSystem;->createDirectory(Lokio/Path;)V PLokio/FileSystem;->delete(Lokio/Path;)V -PLokio/FileSystem;->exists(Lokio/Path;)Z +HPLokio/FileSystem;->exists(Lokio/Path;)Z PLokio/FileSystem;->metadata(Lokio/Path;)Lokio/FileMetadata; PLokio/FileSystem;->openReadWrite(Lokio/Path;)Lokio/FileHandle; PLokio/FileSystem;->sink(Lokio/Path;)Lokio/Sink; @@ -21668,16 +21578,16 @@ PLokio/FileSystem$Companion;->()V PLokio/FileSystem$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokio/ForwardingFileSystem;->(Lokio/FileSystem;)V PLokio/ForwardingFileSystem;->appendingSink(Lokio/Path;Z)Lokio/Sink; -PLokio/ForwardingFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V +HPLokio/ForwardingFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V PLokio/ForwardingFileSystem;->createDirectory(Lokio/Path;Z)V PLokio/ForwardingFileSystem;->delete(Lokio/Path;Z)V HPLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/ForwardingFileSystem;->onPathParameter(Lokio/Path;Ljava/lang/String;Ljava/lang/String;)Lokio/Path; -PLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; +HPLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingSink;->(Lokio/Sink;)V PLokio/ForwardingSink;->close()V PLokio/ForwardingSink;->flush()V -PLokio/ForwardingSink;->write(Lokio/Buffer;J)V +HPLokio/ForwardingSink;->write(Lokio/Buffer;J)V PLokio/ForwardingSource;->(Lokio/Source;)V PLokio/ForwardingSource;->close()V PLokio/ForwardingSource;->delegate()Lokio/Source; @@ -21710,7 +21620,7 @@ PLokio/JvmSystemFileSystem;->openReadWrite(Lokio/Path;ZZ)Lokio/FileHandle; PLokio/JvmSystemFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/JvmSystemFileSystem;->source(Lokio/Path;)Lokio/Source; PLokio/NioSystemFileSystem;->()V -PLokio/NioSystemFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V +HPLokio/NioSystemFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V HPLokio/NioSystemFileSystem;->metadataOrNull(Ljava/nio/file/Path;)Lokio/FileMetadata; HPLokio/NioSystemFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/NioSystemFileSystem;->zeroToNull(Ljava/nio/file/attribute/FileTime;)Ljava/lang/Long; @@ -21724,19 +21634,19 @@ PLokio/Okio;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio;->source(Ljava/net/Socket;)Lokio/Source; PLokio/Okio__JvmOkioKt;->()V PLokio/Okio__JvmOkioKt;->sink$default(Ljava/io/File;ZILjava/lang/Object;)Lokio/Sink; -PLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; -PLokio/Okio__JvmOkioKt;->sink(Ljava/io/OutputStream;)Lokio/Sink; +HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; +HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/OutputStream;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->sink(Ljava/net/Socket;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio__JvmOkioKt;->source(Ljava/net/Socket;)Lokio/Source; -PLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; -PLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; +HPLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; +HPLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; Lokio/Options; HSPLokio/Options;->()V HSPLokio/Options;->([Lokio/ByteString;[I)V HSPLokio/Options;->([Lokio/ByteString;[ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLokio/Options;->getByteStrings$okio()[Lokio/ByteString; -PLokio/Options;->getTrie$okio()[I +HPLokio/Options;->getTrie$okio()[I PLokio/Options;->of([Lokio/ByteString;)Lokio/Options; Lokio/Options$Companion; HSPLokio/Options$Companion;->()V @@ -21751,7 +21661,7 @@ PLokio/OutputStreamSink;->flush()V HPLokio/OutputStreamSink;->write(Lokio/Buffer;J)V PLokio/Path;->()V HPLokio/Path;->(Lokio/ByteString;)V -PLokio/Path;->getBytes$okio()Lokio/ByteString; +HPLokio/Path;->getBytes$okio()Lokio/ByteString; PLokio/Path;->isAbsolute()Z PLokio/Path;->name()Ljava/lang/String; PLokio/Path;->nameBytes()Lokio/ByteString; @@ -21760,9 +21670,9 @@ HPLokio/Path;->parent()Lokio/Path; PLokio/Path;->resolve$default(Lokio/Path;Ljava/lang/String;ZILjava/lang/Object;)Lokio/Path; HPLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; PLokio/Path;->resolve(Ljava/lang/String;Z)Lokio/Path; -PLokio/Path;->toFile()Ljava/io/File; +HPLokio/Path;->toFile()Ljava/io/File; HPLokio/Path;->toNioPath()Ljava/nio/file/Path; -PLokio/Path;->toString()Ljava/lang/String; +HPLokio/Path;->toString()Ljava/lang/String; HPLokio/Path;->volumeLetter()Ljava/lang/Character; PLokio/Path$Companion;->()V PLokio/Path$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -21779,10 +21689,9 @@ PLokio/RealBufferedSink;->outputStream()Ljava/io/OutputStream; PLokio/RealBufferedSink;->write(Lokio/Buffer;J)V PLokio/RealBufferedSink;->write(Lokio/ByteString;)Lokio/BufferedSink; HPLokio/RealBufferedSink;->writeByte(I)Lokio/BufferedSink; -PLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; +HPLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeInt(I)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeShort(I)Lokio/BufferedSink; -HPLokio/RealBufferedSink;->writeUtf8(Ljava/lang/String;)Lokio/BufferedSink; PLokio/RealBufferedSink$outputStream$1;->(Lokio/RealBufferedSink;)V PLokio/RealBufferedSink$outputStream$1;->write([BII)V HPLokio/RealBufferedSource;->(Lokio/Source;)V @@ -21803,9 +21712,10 @@ PLokio/RealBufferedSource;->readInt()I PLokio/RealBufferedSource;->readIntLe()I PLokio/RealBufferedSource;->readShort()S PLokio/RealBufferedSource;->readUtf8LineStrict()Ljava/lang/String; -HPLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; +PLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; HPLokio/RealBufferedSource;->request(J)Z HPLokio/RealBufferedSource;->require(J)V +HPLokio/RealBufferedSource;->select(Lokio/Options;)I PLokio/RealBufferedSource;->skip(J)V Lokio/Segment; HSPLokio/Segment;->()V @@ -21814,7 +21724,7 @@ HPLokio/Segment;->([BIIZZ)V HPLokio/Segment;->compact()V HPLokio/Segment;->pop()Lokio/Segment; HPLokio/Segment;->push(Lokio/Segment;)Lokio/Segment; -PLokio/Segment;->sharedCopy()Lokio/Segment; +HPLokio/Segment;->sharedCopy()Lokio/Segment; HPLokio/Segment;->split(I)Lokio/Segment; HPLokio/Segment;->writeTo(Lokio/Segment;I)V Lokio/Segment$Companion; @@ -21823,7 +21733,6 @@ HSPLokio/Segment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarke Lokio/SegmentPool; HSPLokio/SegmentPool;->()V HSPLokio/SegmentPool;->()V -HPLokio/SegmentPool;->firstRef()Ljava/util/concurrent/atomic/AtomicReference; HPLokio/SegmentPool;->recycle(Lokio/Segment;)V HPLokio/SegmentPool;->take()Lokio/Segment; Lokio/Sink; @@ -21868,7 +21777,7 @@ PLokio/internal/-Path;->access$rootLength(Lokio/Path;)I HPLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; PLokio/internal/-Path;->commonToPath(Ljava/lang/String;Z)Lokio/Path; PLokio/internal/-Path;->getIndexOfLastSlash(Lokio/Path;)I -PLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; +HPLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; PLokio/internal/-Path;->lastSegmentIsDotDot(Lokio/Path;)Z HPLokio/internal/-Path;->rootLength(Lokio/Path;)I PLokio/internal/-Path;->startsWithVolumeLetterAndColon(Lokio/Buffer;Lokio/ByteString;)Z diff --git a/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt b/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt index dd4fc5ee4..a4bc72dff 100644 --- a/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt +++ b/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt @@ -170,7 +170,7 @@ HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPre Landroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V -HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; +HPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/compose/BackHandlerKt; HPLandroidx/activity/compose/BackHandlerKt;->BackHandler(ZLkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)V @@ -516,7 +516,7 @@ HPLandroidx/arch/core/internal/FastSafeIterableMap;->remove(Ljava/lang/Object;)L Landroidx/arch/core/internal/SafeIterableMap; HSPLandroidx/arch/core/internal/SafeIterableMap;->()V HPLandroidx/arch/core/internal/SafeIterableMap;->descendingIterator()Ljava/util/Iterator; -HPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; +HSPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->get(Ljava/lang/Object;)Landroidx/arch/core/internal/SafeIterableMap$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->iterator()Ljava/util/Iterator; HPLandroidx/arch/core/internal/SafeIterableMap;->iteratorWithAdditions()Landroidx/arch/core/internal/SafeIterableMap$IteratorWithAdditions; @@ -544,8 +544,8 @@ Landroidx/arch/core/internal/SafeIterableMap$ListIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->hasNext()Z PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/lang/Object; -PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; -PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; +HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; +HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->supportRemove(Landroidx/arch/core/internal/SafeIterableMap$Entry;)V Landroidx/arch/core/internal/SafeIterableMap$SupportRemove; HSPLandroidx/arch/core/internal/SafeIterableMap$SupportRemove;->()V @@ -642,7 +642,6 @@ HPLandroidx/collection/MutableScatterMap;->(I)V HPLandroidx/collection/MutableScatterMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/collection/MutableScatterMap;->adjustStorage()V HPLandroidx/collection/MutableScatterMap;->findFirstAvailableSlot(I)I -HPLandroidx/collection/MutableScatterMap;->findInsertIndex(Ljava/lang/Object;)I HPLandroidx/collection/MutableScatterMap;->initializeGrowth()V HPLandroidx/collection/MutableScatterMap;->initializeMetadata(I)V HPLandroidx/collection/MutableScatterMap;->initializeStorage(I)V @@ -1020,14 +1019,14 @@ PLandroidx/compose/animation/core/Animatable;->runAnimation(Landroidx/compose/an PLandroidx/compose/animation/core/Animatable;->setRunning(Z)V PLandroidx/compose/animation/core/Animatable;->setTargetValue(Ljava/lang/Object;)V PLandroidx/compose/animation/core/Animatable;->snapTo(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/animation/core/Animatable$runAnimation$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->(Landroidx/compose/animation/core/Animatable;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/internal/Ref$BooleanRef;)V HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Landroidx/compose/animation/core/AnimationScope;)V -HPLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/animation/core/Animatable$runAnimation$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$snapTo$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/animation/core/Animatable$snapTo$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/Animatable$snapTo$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -1128,11 +1127,11 @@ HSPLandroidx/compose/animation/core/AnimationVector2D;->()V HPLandroidx/compose/animation/core/AnimationVector2D;->(FF)V HPLandroidx/compose/animation/core/AnimationVector2D;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/animation/core/AnimationVector2D;->get$animation_core_release(I)F -PLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I +HPLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I PLandroidx/compose/animation/core/AnimationVector2D;->getV1()F PLandroidx/compose/animation/core/AnimationVector2D;->getV2()F PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector2D; -HPLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/AnimationVector2D;->reset$animation_core_release()V HPLandroidx/compose/animation/core/AnimationVector2D;->set$animation_core_release(IF)V Landroidx/compose/animation/core/AnimationVector3D; @@ -1181,7 +1180,7 @@ HSPLandroidx/compose/animation/core/EasingKt;->getFastOutSlowInEasing()Landroidx HSPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0; HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->()V -HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F +HPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F Landroidx/compose/animation/core/FiniteAnimationSpec; Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/FloatDecayAnimationSpec; @@ -1219,7 +1218,7 @@ HPLandroidx/compose/animation/core/InfiniteTransition;->onFrame(J)V PLandroidx/compose/animation/core/InfiniteTransition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HPLandroidx/compose/animation/core/InfiniteTransition;->run$animation_core_release(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/animation/core/InfiniteTransition;->setRefreshChildNeeded(Z)V -HPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V +HSPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->(Landroidx/compose/animation/core/InfiniteTransition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getInitialValue$animation_core_release()Ljava/lang/Object; @@ -1305,13 +1304,13 @@ PLandroidx/compose/animation/core/MutatorMutex;->access$getMutex$p(Landroidx/com PLandroidx/compose/animation/core/MutatorMutex;->access$tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatorMutex$Mutator;)V PLandroidx/compose/animation/core/MutatorMutex;->mutate$default(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/MutatorMutex;->mutate(Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V +PLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V Landroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0; HPLandroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReference;Ljava/lang/Object;Ljava/lang/Object;)Z PLandroidx/compose/animation/core/MutatorMutex$Mutator;->(Landroidx/compose/animation/core/MutatePriority;Lkotlinx/coroutines/Job;)V PLandroidx/compose/animation/core/MutatorMutex$Mutator;->canInterrupt(Landroidx/compose/animation/core/MutatorMutex$Mutator;)Z PLandroidx/compose/animation/core/MutatorMutex$Mutator;->cancel()V -HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->(Landroidx/compose/animation/core/MutatePriority;Landroidx/compose/animation/core/MutatorMutex;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->(Landroidx/compose/animation/core/MutatePriority;Landroidx/compose/animation/core/MutatorMutex;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/animation/core/MutatorMutex$mutate$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/MutatorMutex$mutate$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -1325,10 +1324,10 @@ PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDuration HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateCriticallyDamped(Landroidx/compose/animation/core/ComplexDouble;DDD)D PLandroidx/compose/animation/core/SpringEstimationKt;->estimateDurationInternal(Landroidx/compose/animation/core/ComplexDouble;Landroidx/compose/animation/core/ComplexDouble;DDDD)J PLandroidx/compose/animation/core/SpringSimulation;->()V -HPLandroidx/compose/animation/core/SpringSimulation;->(F)V +PLandroidx/compose/animation/core/SpringSimulation;->(F)V PLandroidx/compose/animation/core/SpringSimulation;->getDampingRatio()F PLandroidx/compose/animation/core/SpringSimulation;->getStiffness()F -HPLandroidx/compose/animation/core/SpringSimulation;->init()V +PLandroidx/compose/animation/core/SpringSimulation;->init()V PLandroidx/compose/animation/core/SpringSimulation;->setDampingRatio(F)V HPLandroidx/compose/animation/core/SpringSimulation;->setFinalPosition(F)V PLandroidx/compose/animation/core/SpringSimulation;->setStiffness(F)V @@ -1374,7 +1373,7 @@ HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->(Lkotlin HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(J)V HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; +PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/TargetBasedAnimation; HSPLandroidx/compose/animation/core/TargetBasedAnimation;->()V @@ -1479,7 +1478,7 @@ HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/anim Landroidx/compose/animation/core/TwoWayConverter; Landroidx/compose/animation/core/TwoWayConverterImpl; HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertToVector()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/core/VectorConvertersKt; HSPLandroidx/compose/animation/core/VectorConvertersKt;->()V @@ -1514,7 +1513,7 @@ HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$1;->invoke(L Landroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->()V -HSPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; +HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Float; HPLandroidx/compose/animation/core/VectorConvertersKt$FloatToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntOffsetToVector$1;->()V @@ -1609,8 +1608,8 @@ PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/comp HPLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J PLandroidx/compose/animation/core/VectorizedSpringSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +PLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedTweenSpec; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->()V @@ -2115,7 +2114,7 @@ Landroidx/compose/foundation/layout/BoxMeasurePolicy; HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->(Landroidx/compose/ui/Alignment;Z)V HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->access$getAlignment$p(Landroidx/compose/foundation/layout/BoxMeasurePolicy;)Landroidx/compose/ui/Alignment; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->equals(Ljava/lang/Object;)Z -HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V @@ -2227,7 +2226,7 @@ HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateRightPaddin HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateTopPadding-D9Ej5fM()F Landroidx/compose/foundation/layout/InsetsValues; HSPLandroidx/compose/foundation/layout/InsetsValues;->()V -HSPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V +HPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V HSPLandroidx/compose/foundation/layout/InsetsValues;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->$values()[Landroidx/compose/foundation/layout/LayoutOrientation; @@ -2355,7 +2354,7 @@ HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->crossAxisSize HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->getCrossAxisPosition(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/RowColumnParentData;ILandroidx/compose/ui/unit/LayoutDirection;I)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisPositions(I[I[ILandroidx/compose/ui/layout/MeasureScope;)[I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisSize(Landroidx/compose/ui/layout/Placeable;)I -HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; +HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->placeHelper(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;ILandroidx/compose/ui/unit/LayoutDirection;)V Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/RowColumnParentData;->()V @@ -2620,7 +2619,7 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$Skippa HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemProviderKt;->findIndexByKey(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)V -HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V +PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V @@ -2739,7 +2738,7 @@ PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->access$getKe PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getIndex(Ljava/lang/Object;)I HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;->getKey(I)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->(IILandroidx/collection/MutableObjectIntMap;Landroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap;)V -HPLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V +PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Landroidx/compose/foundation/lazy/layout/IntervalList$Interval;)V PLandroidx/compose/foundation/lazy/layout/NearestRangeKeyIndexMap$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->attachToScope-impl(Landroidx/compose/runtime/MutableState;)V PLandroidx/compose/foundation/lazy/layout/ObservableScopeInvalidator;->constructor-impl$default(Landroidx/compose/runtime/MutableState;ILkotlin/jvm/internal/DefaultConstructorMarker;)Landroidx/compose/runtime/MutableState; @@ -2909,6 +2908,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultK PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt;->getEmptyLazyStaggeredGridLayoutInfo()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResult; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt$EmptyLazyStaggeredGridLayoutInfo$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->()V +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->(ILjava/lang/Object;Ljava/util/List;ZIIIIILjava/lang/Object;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getIndex()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; @@ -2917,7 +2917,7 @@ HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxisSize()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getParentData(I)Ljava/lang/Object; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSizeWithSpacings()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSpan()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVertical()Z @@ -3074,7 +3074,7 @@ HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape- HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-a9UjIt4(FFFF)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->getCircleShape()Landroidx/compose/foundation/shape/RoundedCornerShape; Landroidx/compose/foundation/text/BasicTextKt; -HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V +HSPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V Landroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1; HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->invoke()Ljava/lang/Object; @@ -3306,7 +3306,7 @@ HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->(La HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1; -HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V +HSPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V Landroidx/compose/material/ripple/RippleAlpha; HSPLandroidx/compose/material/ripple/RippleAlpha;->()V HSPLandroidx/compose/material/ripple/RippleAlpha;->(FFFF)V @@ -3870,7 +3870,7 @@ HSPLandroidx/compose/material3/TopAppBarState;->access$getSaver$cp()Landroidx/co HSPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F HSPLandroidx/compose/material3/TopAppBarState;->getHeightOffset()F HPLandroidx/compose/material3/TopAppBarState;->getHeightOffsetLimit()F -HSPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F +HPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F HSPLandroidx/compose/material3/TopAppBarState;->setHeightOffsetLimit(F)V Landroidx/compose/material3/TopAppBarState$Companion; HSPLandroidx/compose/material3/TopAppBarState$Companion;->()V @@ -3897,7 +3897,7 @@ HSPLandroidx/compose/material3/Typography;->getTitleLarge()Landroidx/compose/ui/ Landroidx/compose/material3/TypographyKt; HSPLandroidx/compose/material3/TypographyKt;->()V HSPLandroidx/compose/material3/TypographyKt;->fromToken(Landroidx/compose/material3/Typography;Landroidx/compose/material3/tokens/TypographyKeyTokens;)Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; +HPLandroidx/compose/material3/TypographyKt;->getLocalTypography()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/material3/TypographyKt$LocalTypography$1; HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V HSPLandroidx/compose/material3/TypographyKt$LocalTypography$1;->()V @@ -4268,12 +4268,13 @@ HSPLandroidx/compose/runtime/BroadcastFrameClock;->()V HSPLandroidx/compose/runtime/BroadcastFrameClock;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; -HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; HSPLandroidx/compose/runtime/BroadcastFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLandroidx/compose/runtime/BroadcastFrameClock;->getHasAwaiters()Z HPLandroidx/compose/runtime/BroadcastFrameClock;->sendFrame(J)V +HPLandroidx/compose/runtime/BroadcastFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter; HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->resume(J)V @@ -4352,7 +4353,6 @@ HPLandroidx/compose/runtime/ComposerImpl;->endRestartGroup()Landroidx/compose/ru HPLandroidx/compose/runtime/ComposerImpl;->endReusableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endRoot()V HPLandroidx/compose/runtime/ComposerImpl;->ensureWriter()V -HPLandroidx/compose/runtime/ComposerImpl;->enterGroup(ZLandroidx/compose/runtime/Pending;)V HPLandroidx/compose/runtime/ComposerImpl;->exitGroup(IZ)V HPLandroidx/compose/runtime/ComposerImpl;->finalizeCompose()V HPLandroidx/compose/runtime/ComposerImpl;->getApplier()Landroidx/compose/runtime/Applier; @@ -4401,7 +4401,6 @@ HPLandroidx/compose/runtime/ComposerImpl;->skipToGroupEnd()V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformation(Ljava/lang/String;)V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformationMarkerEnd()V HPLandroidx/compose/runtime/ComposerImpl;->sourceInformationMarkerStart(ILjava/lang/String;)V -HPLandroidx/compose/runtime/ComposerImpl;->start-BaiHCIY(ILjava/lang/Object;ILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->startDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(I)V HPLandroidx/compose/runtime/ComposerImpl;->startGroup(ILjava/lang/Object;)V @@ -4415,7 +4414,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startReusableGroup(ILjava/lang/Object HPLandroidx/compose/runtime/ComposerImpl;->startReusableNode()V HPLandroidx/compose/runtime/ComposerImpl;->startRoot()V HPLandroidx/compose/runtime/ComposerImpl;->tryImminentInvalidation$runtime_release(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z -HPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroup(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroupKeyHash(I)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeExitGroup(ILjava/lang/Object;Ljava/lang/Object;)V @@ -4554,7 +4553,6 @@ PLandroidx/compose/runtime/CompositionImpl;->prepareCompose(Lkotlin/jvm/function HPLandroidx/compose/runtime/CompositionImpl;->recompose()Z HPLandroidx/compose/runtime/CompositionImpl;->recomposeScopeReleased(Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->recordModificationsOf(Ljava/util/Set;)V -HPLandroidx/compose/runtime/CompositionImpl;->recordReadOf(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->recordWriteOf(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->setContent(Lkotlin/jvm/functions/Function2;)V @@ -4632,7 +4630,7 @@ HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->access$getUnset HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getCurrentValue()Ljava/lang/Object; -HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; +HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->isValid(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)Z HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->readableHash(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)I @@ -4727,7 +4725,7 @@ HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Latch;->closeLatch()V -HPLandroidx/compose/runtime/Latch;->isOpen()Z +HSPLandroidx/compose/runtime/Latch;->isOpen()Z HSPLandroidx/compose/runtime/Latch;->openLatch()V Landroidx/compose/runtime/LaunchedEffectImpl; HSPLandroidx/compose/runtime/LaunchedEffectImpl;->()V @@ -5047,7 +5045,7 @@ HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSus HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1; HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/collection/IdentityArraySet;Landroidx/compose/runtime/collection/IdentityArraySet;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V -HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V +HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$writeObserverOf$1; HPLandroidx/compose/runtime/Recomposer$writeObserverOf$1;->(Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/collection/IdentityArraySet;)V @@ -5079,7 +5077,7 @@ Landroidx/compose/runtime/SlotReader; HSPLandroidx/compose/runtime/SlotReader;->()V HPLandroidx/compose/runtime/SlotReader;->(Landroidx/compose/runtime/SlotTable;)V HPLandroidx/compose/runtime/SlotReader;->anchor(I)Landroidx/compose/runtime/Anchor; -HPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; +HSPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->beginEmpty()V HPLandroidx/compose/runtime/SlotReader;->close()V HSPLandroidx/compose/runtime/SlotReader;->containsMark(I)Z @@ -5108,7 +5106,7 @@ HPLandroidx/compose/runtime/SlotReader;->groupSize(I)I HSPLandroidx/compose/runtime/SlotReader;->hasMark(I)Z HPLandroidx/compose/runtime/SlotReader;->hasObjectKey(I)Z HPLandroidx/compose/runtime/SlotReader;->isGroupEnd()Z -HSPLandroidx/compose/runtime/SlotReader;->isNode()Z +HPLandroidx/compose/runtime/SlotReader;->isNode()Z HPLandroidx/compose/runtime/SlotReader;->isNode(I)Z HPLandroidx/compose/runtime/SlotReader;->next()Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->node(I)Ljava/lang/Object; @@ -5221,13 +5219,13 @@ PLandroidx/compose/runtime/SlotWriter;->access$slotIndex(Landroidx/compose/runti HSPLandroidx/compose/runtime/SlotWriter;->access$sourceInformationOf(Landroidx/compose/runtime/SlotWriter;I)Landroidx/compose/runtime/GroupSourceInformation; HSPLandroidx/compose/runtime/SlotWriter;->access$updateContainsMark(Landroidx/compose/runtime/SlotWriter;I)V HPLandroidx/compose/runtime/SlotWriter;->advanceBy(I)V -HPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; +HSPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/SlotWriter;->anchorIndex(Landroidx/compose/runtime/Anchor;)I HPLandroidx/compose/runtime/SlotWriter;->auxIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->beginInsert()V HPLandroidx/compose/runtime/SlotWriter;->childContainsAnyMarks(I)Z HPLandroidx/compose/runtime/SlotWriter;->clearSlotGap()V -HPLandroidx/compose/runtime/SlotWriter;->close()V +HSPLandroidx/compose/runtime/SlotWriter;->close()V HSPLandroidx/compose/runtime/SlotWriter;->containsAnyGroupMarks(I)Z HSPLandroidx/compose/runtime/SlotWriter;->containsGroupMark(I)Z HPLandroidx/compose/runtime/SlotWriter;->dataAnchorToDataIndex(III)I @@ -5257,7 +5255,7 @@ HSPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z HSPLandroidx/compose/runtime/SlotWriter;->indexInParent(I)Z HPLandroidx/compose/runtime/SlotWriter;->insertGroups(I)V HPLandroidx/compose/runtime/SlotWriter;->insertSlots(II)V -HSPLandroidx/compose/runtime/SlotWriter;->isNode()Z +HPLandroidx/compose/runtime/SlotWriter;->isNode()Z HSPLandroidx/compose/runtime/SlotWriter;->isNode(I)Z HSPLandroidx/compose/runtime/SlotWriter;->markGroup$default(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->markGroup(I)V @@ -5290,9 +5288,7 @@ HPLandroidx/compose/runtime/SlotWriter;->sourceInformationOf(I)Landroidx/compose HPLandroidx/compose/runtime/SlotWriter;->startData(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup()V HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;ZLjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startNode(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/SlotWriter;->update(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->updateAnchors(II)V PLandroidx/compose/runtime/SlotWriter;->updateAux(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->updateContainsMark(I)V @@ -5332,13 +5328,13 @@ HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord Landroidx/compose/runtime/SnapshotMutableIntStateImpl; HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->(I)V -HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getIntValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->setIntValue(I)V Landroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->(I)V -HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V +HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->assign(Landroidx/compose/runtime/snapshots/StateRecord;)V HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->getValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl$IntStateStateRecord;->setValue(I)V @@ -5389,7 +5385,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt;->structuralEqualityPolicy()Landroid Landroidx/compose/runtime/SnapshotStateKt__DerivedStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->()V HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->access$getCalculationBlockNestedLevel$p()Landroidx/compose/runtime/SnapshotThreadLocal; -HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; +HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; PLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt; @@ -5446,7 +5442,6 @@ HPLandroidx/compose/runtime/Stack;->isEmpty()Z HPLandroidx/compose/runtime/Stack;->isNotEmpty()Z HPLandroidx/compose/runtime/Stack;->peek()Ljava/lang/Object; HSPLandroidx/compose/runtime/Stack;->peek(I)Ljava/lang/Object; -HPLandroidx/compose/runtime/Stack;->pop()Ljava/lang/Object; HPLandroidx/compose/runtime/Stack;->push(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/Stack;->toArray()[Ljava/lang/Object; Landroidx/compose/runtime/State; @@ -5652,7 +5647,7 @@ PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->execute(Landroid Landroidx/compose/runtime/changelist/Operation$UpdateNode; HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V -HPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V Landroidx/compose/runtime/changelist/Operation$UpdateValue; HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V @@ -5687,7 +5682,7 @@ HPLandroidx/compose/runtime/changelist/Operations;->createExpectedArgMask(I)I HPLandroidx/compose/runtime/changelist/Operations;->determineNewSize(II)I HPLandroidx/compose/runtime/changelist/Operations;->ensureIntArgsSizeAtLeast(I)V HPLandroidx/compose/runtime/changelist/Operations;->ensureObjectArgsSizeAtLeast(I)V -HSPLandroidx/compose/runtime/changelist/Operations;->executeAndFlushAllPendingOperations(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/Operations;->executeAndFlushAllPendingOperations(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V HPLandroidx/compose/runtime/changelist/Operations;->getSize()I HPLandroidx/compose/runtime/changelist/Operations;->isEmpty()Z HPLandroidx/compose/runtime/changelist/Operations;->isNotEmpty()Z @@ -5696,7 +5691,7 @@ HPLandroidx/compose/runtime/changelist/Operations;->popInto(Landroidx/compose/ru HPLandroidx/compose/runtime/changelist/Operations;->push(Landroidx/compose/runtime/changelist/Operation;)V HPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V HPLandroidx/compose/runtime/changelist/Operations;->topIntIndexOf-w8GmfQM(I)I -HPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I +HSPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I Landroidx/compose/runtime/changelist/Operations$Companion; HSPLandroidx/compose/runtime/changelist/Operations$Companion;->()V HSPLandroidx/compose/runtime/changelist/Operations$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -5774,7 +5769,7 @@ HPLandroidx/compose/runtime/collection/MutableVectorKt;->checkIndex(Ljava/util/L Landroidx/compose/runtime/collection/ScopeMap; HSPLandroidx/compose/runtime/collection/ScopeMap;->()V HPLandroidx/compose/runtime/collection/ScopeMap;->()V -HPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/collection/ScopeMap;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/ScopeMap;->getMap()Landroidx/collection/MutableScatterMap; HPLandroidx/compose/runtime/collection/ScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z @@ -5841,7 +5836,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->containsKey(Ljava/lang/Object;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getNode$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getSize()I @@ -5895,14 +5890,13 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->elementsIdentityEquals(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$runtime_release(I)I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->getBuffer$runtime_release()[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$runtime_release(I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->insertEntryAt(ILjava/lang/Object;Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->makeNode(ILjava/lang/Object;Ljava/lang/Object;ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->moveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->moveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableMoveEntryToNode(IIILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/internal/MutabilityOwnership;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -5927,7 +5921,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V @@ -5950,7 +5944,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->indexSegment(II)I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->insertEntryAtIndex([Ljava/lang/Object;ILjava/lang/Object;Ljava/lang/Object;)[Ljava/lang/Object; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->removeEntryAtIndex([Ljava/lang/Object;I)[Ljava/lang/Object; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->replaceEntryWithNode([Ljava/lang/Object;IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)[Ljava/lang/Object; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeKt;->replaceEntryWithNode([Ljava/lang/Object;IILandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)[Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/persistentOrderedSet/Links;->()V @@ -5996,7 +5990,7 @@ Landroidx/compose/runtime/internal/ComposableLambda; Landroidx/compose/runtime/internal/ComposableLambdaImpl; HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->()V HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->(IZLjava/lang/Object;)V -HSPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; +HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/ComposableLambdaImpl;->invoke(Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/runtime/Composer;I)Ljava/lang/Object; @@ -6031,7 +6025,7 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->access$ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Landroidx/compose/runtime/CompositionLocal;)Z -HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; @@ -6183,6 +6177,7 @@ Landroidx/compose/runtime/snapshots/ListUtilsKt; PLandroidx/compose/runtime/snapshots/ListUtilsKt;->fastToSet(Ljava/util/List;)Ljava/util/Set; Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->()V +HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->(ILandroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->advance$runtime_release()V HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->apply()Landroidx/compose/runtime/snapshots/SnapshotApplyResult; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->closeLocked$runtime_release()V @@ -6236,7 +6231,6 @@ HPLandroidx/compose/runtime/snapshots/Snapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/Snapshot;->getDisposed$runtime_release()Z HPLandroidx/compose/runtime/snapshots/Snapshot;->getId()I HPLandroidx/compose/runtime/snapshots/Snapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -HPLandroidx/compose/runtime/snapshots/Snapshot;->makeCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->restoreCurrent(Landroidx/compose/runtime/snapshots/Snapshot;)V @@ -6251,7 +6245,6 @@ HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->(Lkotlin/jvm/i HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->createNonObservableSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->getCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->notifyObjectsInitialized()V -HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->observe(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver$lambda$6(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver(Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/snapshots/ObserverHandle; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerGlobalWriteObserver(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/ObserverHandle; @@ -6289,7 +6282,7 @@ HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->(JJI[I)V PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getBelowBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)[I HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getEMPTY$cp()Landroidx/compose/runtime/snapshots/SnapshotIdSet; PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)I -HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J +PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getUpperSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->andNot(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->clear(I)Landroidx/compose/runtime/snapshots/SnapshotIdSet; @@ -6302,7 +6295,7 @@ Landroidx/compose/runtime/snapshots/SnapshotIdSet$Companion; HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->getEMPTY()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -PLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotIdSetKt; @@ -6415,7 +6408,7 @@ HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->iterator()Ljava/util/ HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->listIterator()Ljava/util/ListIterator; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->set(ILjava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I +HSPLandroidx/compose/runtime/snapshots/SnapshotStateList;->size()I Landroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord; HSPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->()V HPLandroidx/compose/runtime/snapshots/SnapshotStateList$StateListStateRecord;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList;)V @@ -6431,7 +6424,7 @@ Landroidx/compose/runtime/snapshots/SnapshotStateList$addAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateList$retainAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateListKt; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->()V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; +HPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$validateRange(II)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->validateRange(II)V Landroidx/compose/runtime/snapshots/SnapshotStateMap; @@ -6533,7 +6526,7 @@ HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->apply HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getCurrentSnapshot()Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getId()I -HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HSPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->notifyObjectsInitialized$runtime_release()V @@ -6703,7 +6696,7 @@ HSPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier Landroidx/compose/ui/draw/DrawBackgroundModifier; HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->()V HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->(Lkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/DrawBehindElement; HSPLandroidx/compose/ui/draw/DrawBehindElement;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/draw/DrawBehindElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -6882,7 +6875,7 @@ HSPLandroidx/compose/ui/geometry/RoundRect;->getBottom()F HPLandroidx/compose/ui/geometry/RoundRect;->getBottomLeftCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getBottomRightCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getHeight()F -HSPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F +HPLandroidx/compose/ui/geometry/RoundRect;->getLeft()F HSPLandroidx/compose/ui/geometry/RoundRect;->getRight()F HPLandroidx/compose/ui/geometry/RoundRect;->getTop()F HPLandroidx/compose/ui/geometry/RoundRect;->getTopLeftCornerRadius-kKHJgLs()J @@ -6930,7 +6923,7 @@ PLandroidx/compose/ui/graphics/AndroidCanvas;->disableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawArc(FFFFFFZLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawImageRect-HPBpro0(Landroidx/compose/ui/graphics/ImageBitmap;JJJJLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawPath(Landroidx/compose/ui/graphics/Path;Landroidx/compose/ui/graphics/Paint;)V -HSPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V +HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRect(FFFFLandroidx/compose/ui/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidCanvas;->drawRoundRect(FFFFFFLandroidx/compose/ui/graphics/Paint;)V PLandroidx/compose/ui/graphics/AndroidCanvas;->enableZ()V HPLandroidx/compose/ui/graphics/AndroidCanvas;->getInternalCanvas()Landroid/graphics/Canvas; @@ -6968,18 +6961,18 @@ Landroidx/compose/ui/graphics/AndroidPaint; HSPLandroidx/compose/ui/graphics/AndroidPaint;->()V HPLandroidx/compose/ui/graphics/AndroidPaint;->(Landroid/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidPaint;->asFrameworkPaint()Landroid/graphics/Paint; -HPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F HPLandroidx/compose/ui/graphics/AndroidPaint;->getBlendMode-0nO6VwU()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/AndroidPaint;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; HPLandroidx/compose/ui/graphics/AndroidPaint;->getFilterQuality-f-v9h1I()I HSPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; HPLandroidx/compose/ui/graphics/AndroidPaint;->getShader()Landroid/graphics/Shader; -HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I -HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F -HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F -HPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F +HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F +HSPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setBlendMode-s9anfk8(I)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setColor-8_81llA(J)V HSPLandroidx/compose/ui/graphics/AndroidPaint;->setColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V @@ -7069,7 +7062,7 @@ HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->(Lkotlin/jvm HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->getLayerBlock()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1; -HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V +HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/BlockGraphicsLayerModifier;)V HPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V HSPLandroidx/compose/ui/graphics/BlockGraphicsLayerModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/Brush; @@ -7130,7 +7123,7 @@ HPLandroidx/compose/ui/graphics/Color;->unbox-impl()J Landroidx/compose/ui/graphics/Color$Companion; HSPLandroidx/compose/ui/graphics/Color$Companion;->()V HSPLandroidx/compose/ui/graphics/Color$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J +HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlack-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getBlue-0d7_KjU()J HSPLandroidx/compose/ui/graphics/Color$Companion;->getRed-0d7_KjU()J HPLandroidx/compose/ui/graphics/Color$Companion;->getTransparent-0d7_KjU()J @@ -7362,7 +7355,6 @@ HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->getTranslationY()F HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->(Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V -HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V @@ -7732,7 +7724,7 @@ HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY$ PLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; Landroidx/compose/ui/graphics/painter/Painter; HPLandroidx/compose/ui/graphics/painter/Painter;->()V -HPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V +HSPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V @@ -8214,7 +8206,7 @@ HSPLandroidx/compose/ui/layout/ContentScale$Companion$Fit$1;->computeScaleFactor Landroidx/compose/ui/layout/ContentScale$Companion$Inside$1; HSPLandroidx/compose/ui/layout/ContentScale$Companion$Inside$1;->()V Landroidx/compose/ui/layout/ContentScaleKt; -HPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F +PLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F HSPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMinDimension-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillHeight-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillMaxDimension-iLBOSCw(JJ)F @@ -8428,7 +8420,7 @@ HSPLandroidx/compose/ui/layout/ScaleFactor$Companion;->(Lkotlin/jvm/intern Landroidx/compose/ui/layout/ScaleFactorKt; HPLandroidx/compose/ui/layout/ScaleFactorKt;->ScaleFactor(FF)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-UQTWf7w(JJ)J -HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J +PLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J Landroidx/compose/ui/layout/SubcomposeLayoutKt; HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->()V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V @@ -8727,7 +8719,7 @@ HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->()V HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/node/LayerPositionalProperties; HPLandroidx/compose/ui/node/LayerPositionalProperties;->()V -HPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HSPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V Landroidx/compose/ui/node/LayoutAwareModifierNode; HSPLandroidx/compose/ui/node/LayoutAwareModifierNode;->onRemeasured-ozmzZPI(J)V Landroidx/compose/ui/node/LayoutModifierNode; @@ -8737,7 +8729,7 @@ HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->(Landroidx/com HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->calculateAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLayoutModifierNode()Landroidx/compose/ui/node/LayoutModifierNode; HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getLookaheadDelegate()Landroidx/compose/ui/node/LookaheadDelegate; -HSPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getTail()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->getWrappedNonNull()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutModifierNodeCoordinator;->performDraw(Landroidx/compose/ui/graphics/Canvas;)V @@ -8752,14 +8744,14 @@ Landroidx/compose/ui/node/LayoutModifierNodeKt; HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateLayer(Landroidx/compose/ui/node/LayoutModifierNode;)V HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateMeasurement(Landroidx/compose/ui/node/LayoutModifierNode;)V Landroidx/compose/ui/node/LayoutNode; -HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->()V HPLandroidx/compose/ui/node/LayoutNode;->(ZI)V HPLandroidx/compose/ui/node/LayoutNode;->(ZIILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$39(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->access$getConstructor$cp()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/LayoutNode;->access$setIgnoreRemeasureRequests$p(Landroidx/compose/ui/node/LayoutNode;Z)V -HPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V +HSPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreePlacementIntrinsicsUsage()V HPLandroidx/compose/ui/node/LayoutNode;->detach$ui_release()V @@ -8793,7 +8785,6 @@ HPLandroidx/compose/ui/node/LayoutNode;->getMeasurePolicy()Landroidx/compose/ui/ HPLandroidx/compose/ui/node/LayoutNode;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; HSPLandroidx/compose/ui/node/LayoutNode;->getNeedsOnPositionedDispatch$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getNodes$ui_release()Landroidx/compose/ui/node/NodeChain; -HPLandroidx/compose/ui/node/LayoutNode;->getOuterCoordinator$ui_release()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNode;->getOwner$ui_release()Landroidx/compose/ui/node/Owner; HPLandroidx/compose/ui/node/LayoutNode;->getParent$ui_release()Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/LayoutNode;->getPlaceOrder$ui_release()I @@ -8802,7 +8793,6 @@ HSPLandroidx/compose/ui/node/LayoutNode;->getSubcompositionsState$ui_release()La HSPLandroidx/compose/ui/node/LayoutNode;->getWidth()I HPLandroidx/compose/ui/node/LayoutNode;->getZIndex()F HPLandroidx/compose/ui/node/LayoutNode;->getZSortedChildren()Landroidx/compose/runtime/collection/MutableVector; -HPLandroidx/compose/ui/node/LayoutNode;->get_children$ui_release()Landroidx/compose/runtime/collection/MutableVector; HPLandroidx/compose/ui/node/LayoutNode;->insertAt$ui_release(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnAttach()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnDetach()V @@ -8841,13 +8831,13 @@ PLandroidx/compose/ui/node/LayoutNode;->resetModifierState()V HPLandroidx/compose/ui/node/LayoutNode;->resetSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->setCanMultiMeasure$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setCompositeKeyHash(I)V -HPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V +HSPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V HPLandroidx/compose/ui/node/LayoutNode;->setDensity(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/node/LayoutNode;->setInnerLayerCoordinatorIsDirty$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/node/LayoutNode;->setLookaheadRoot(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->setMeasurePolicy(Landroidx/compose/ui/layout/MeasurePolicy;)V -HSPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V +HPLandroidx/compose/ui/node/LayoutNode;->setModifier(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/node/LayoutNode;->setNeedsOnPositionedDispatch$ui_release(Z)V HSPLandroidx/compose/ui/node/LayoutNode;->setSubcompositionsState$ui_release(Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState;)V HPLandroidx/compose/ui/node/LayoutNode;->setViewConfiguration(Landroidx/compose/ui/platform/ViewConfiguration;)V @@ -8901,7 +8891,7 @@ HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->draw-x_KDEd0$ui_release(Landro HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawContent()V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawDirect-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/node/DrawModifierNode;)V -HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V +HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V @@ -8954,7 +8944,6 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDur HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDuringPlacement(Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->updateParentData()V Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$checkChildrenPlaceOrderForUpdates(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$clearPlaceOrder(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorLayerBlock$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)Lkotlin/jvm/functions/Function1; @@ -8967,10 +8956,10 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->forEa HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->get(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getAlignmentLines()Landroidx/compose/ui/node/AlignmentLines; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getChildDelegates$ui_release()Ljava/util/List; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getLastConstraints-DWUhwKw()Landroidx/compose/ui/unit/Constraints; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getPlaceOrder$ui_release()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getZIndex$ui_release()F @@ -8978,14 +8967,12 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->inval HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateParentData()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlaced()Z HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlacedByParent()Z -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->layoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V PLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markSubtreeAsNotPlaced()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->notifyChildrenUsingCoordinatesWhilePlacing()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onBeforeLayoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodeDetached()V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodePlaced$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z @@ -9055,7 +9042,7 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->doRemeasure-sdFAvZA(Landr HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtree(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtreeInternal(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getCanAffectParent(Landroidx/compose/ui/node/LayoutNode;)Z -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z +HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getMeasureAffectsParent(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureAndLayout(Lkotlin/jvm/functions/Function0;)Z @@ -9066,7 +9053,7 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onlyRemeasureIfScheduled( HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;ZZ)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;Z)V -HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z +PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->updateRootConstraints-BRTryo0(J)V @@ -9109,7 +9096,7 @@ HPLandroidx/compose/ui/node/NodeChain;->markAsAttached()V HPLandroidx/compose/ui/node/NodeChain;->markAsDetached$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->padChain()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeChain;->resetState$ui_release()V -HPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V +HSPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V HPLandroidx/compose/ui/node/NodeChain;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->syncAggregateChildKindSet()V HPLandroidx/compose/ui/node/NodeChain;->syncCoordinators()V @@ -9122,7 +9109,7 @@ HPLandroidx/compose/ui/node/NodeChainKt;->access$fillVector(Landroidx/compose/ui HPLandroidx/compose/ui/node/NodeChainKt;->access$getSentinelHead$p()Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt;->access$updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeChainKt;->actionForModifiers(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;)I -HPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; +HSPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/ui/node/NodeChainKt;->updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt$SentinelHead$1;->()V @@ -9130,7 +9117,6 @@ Landroidx/compose/ui/node/NodeChainKt$fillVector$1; HPLandroidx/compose/ui/node/NodeChainKt$fillVector$1;->(Landroidx/compose/runtime/collection/MutableVector;)V Landroidx/compose/ui/node/NodeCoordinator; HSPLandroidx/compose/ui/node/NodeCoordinator;->()V -HPLandroidx/compose/ui/node/NodeCoordinator;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$drawContainedDrawModifiers(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$getGraphicsLayerScope$cp()Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; HPLandroidx/compose/ui/node/NodeCoordinator;->access$getOnCommitAffectingLayer$cp()Lkotlin/jvm/functions/Function1; @@ -9160,12 +9146,10 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->getWrappedBy$ui_release()Landroidx HPLandroidx/compose/ui/node/NodeCoordinator;->getZIndex()F HPLandroidx/compose/ui/node/NodeCoordinator;->hasNode-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeCoordinator;->head-H91voCI(I)Landroidx/compose/ui/Modifier$Node; -HPLandroidx/compose/ui/node/NodeCoordinator;->headNode(Z)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->invalidateLayer()V HPLandroidx/compose/ui/node/NodeCoordinator;->isAttached()Z PLandroidx/compose/ui/node/NodeCoordinator;->isValidOwnerScope()Z HPLandroidx/compose/ui/node/NodeCoordinator;->onLayoutNodeAttach()V -HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasureResultChanged(II)V HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasured()V HPLandroidx/compose/ui/node/NodeCoordinator;->onPlaced()V HPLandroidx/compose/ui/node/NodeCoordinator;->onRelease()V @@ -9173,15 +9157,15 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->placeAt-f8xVGno(JFLkotlin/jvm/func HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelf-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelfApparentToRealOffset-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V -HSPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V -HPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V +HPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V +HSPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrapped$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrappedBy$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/NodeCoordinator;->toParentPosition-MK-Hz9U(J)J HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock$default(Landroidx/compose/ui/node/NodeCoordinator;Lkotlin/jvm/functions/Function1;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerBlock(Lkotlin/jvm/functions/Function1;Z)V HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters$default(Landroidx/compose/ui/node/NodeCoordinator;ZILjava/lang/Object;)V -HPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters(Z)V +HSPLandroidx/compose/ui/node/NodeCoordinator;->updateLayerParameters(Z)V Landroidx/compose/ui/node/NodeCoordinator$Companion; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -9193,14 +9177,14 @@ Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V -HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V Landroidx/compose/ui/node/NodeCoordinator$HitTestSource; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V -HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V +HSPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V @@ -9219,10 +9203,9 @@ HPLandroidx/compose/ui/node/NodeKind;->constructor-impl(I)I Landroidx/compose/ui/node/NodeKindKt; HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateInsertedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeIncludingDelegates(Landroidx/compose/ui/Modifier$Node;II)V -HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V +HSPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateUpdatedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Element;)I -HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFromIncludingDelegates(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->getIncludeSelfInTraversal-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeKindKt;->specifiesCanFocusProperty(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)Z @@ -9254,7 +9237,7 @@ PLandroidx/compose/ui/node/OnPositionedDispatcher$Companion$DepthComparator;->co Landroidx/compose/ui/node/OwnedLayer; Landroidx/compose/ui/node/Owner; HSPLandroidx/compose/ui/node/Owner;->()V -HPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V +HSPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V HSPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/Owner;->onRequestMeasure$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZZILjava/lang/Object;)V PLandroidx/compose/ui/node/Owner;->onRequestRelayout$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V @@ -9649,7 +9632,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroid HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getMain$delegate$cp()Lkotlin/Lazy; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V -HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V +HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V PLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$setScheduledFrameDispatch$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;Z)V HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; @@ -9875,13 +9858,13 @@ HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->minusKey(Lkotlin/coro HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->setScaleFactor(F)V Landroidx/compose/ui/platform/OutlineResolver; HSPLandroidx/compose/ui/platform/OutlineResolver;->()V -HPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V +HSPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/platform/OutlineResolver;->getCacheIsDirty$ui_release()Z HPLandroidx/compose/ui/platform/OutlineResolver;->getOutline()Landroid/graphics/Outline; HPLandroidx/compose/ui/platform/OutlineResolver;->getOutlineClipSupported()Z HPLandroidx/compose/ui/platform/OutlineResolver;->update(Landroidx/compose/ui/graphics/Shape;FZFLandroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)Z HPLandroidx/compose/ui/platform/OutlineResolver;->update-uvyYCjk(J)V -HPLandroidx/compose/ui/platform/OutlineResolver;->updateCache()V +HSPLandroidx/compose/ui/platform/OutlineResolver;->updateCache()V PLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRect(Landroidx/compose/ui/geometry/Rect;)V HPLandroidx/compose/ui/platform/OutlineResolver;->updateCacheWithRoundRect(Landroidx/compose/ui/geometry/RoundRect;)V Landroidx/compose/ui/platform/PlatformTextInputSessionHandler; @@ -9895,8 +9878,8 @@ HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHasDisplayList()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getLeft()I HSPLandroidx/compose/ui/platform/RenderNodeApi29;->getMatrix(Landroid/graphics/Matrix;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getTop()I -HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V -HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->record(Landroidx/compose/ui/graphics/CanvasHolder;Landroidx/compose/ui/graphics/Path;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToBounds(Z)V @@ -9920,7 +9903,7 @@ HPLandroidx/compose/ui/platform/RenderNodeLayer;->resize-ozmzZPI(J)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->setDirty(Z)V HPLandroidx/compose/ui/platform/RenderNodeLayer;->triggerRepaint()V HPLandroidx/compose/ui/platform/RenderNodeLayer;->updateDisplayList()V -HSPLandroidx/compose/ui/platform/RenderNodeLayer;->updateLayerProperties(Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/platform/RenderNodeLayer;->updateLayerProperties(Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/platform/RenderNodeLayer$Companion; HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->()V HSPLandroidx/compose/ui/platform/RenderNodeLayer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10262,7 +10245,7 @@ HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyReceiver; Landroidx/compose/ui/text/AndroidParagraph; HSPLandroidx/compose/ui/text/AndroidParagraph;->()V -HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V +HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/AndroidParagraph;->constructTextLayout(IILandroid/text/TextUtils$TruncateAt;IIIII)Landroidx/compose/ui/text/android/TextLayout; HPLandroidx/compose/ui/text/AndroidParagraph;->getDidExceedMaxLines()Z @@ -10391,7 +10374,7 @@ HSPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_tex HPLandroidx/compose/ui/text/SpanStyle;->merge(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt; HSPLandroidx/compose/ui/text/SpanStyleKt;->()V -HPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; +HSPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; HPLandroidx/compose/ui/text/SpanStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/PlatformSpanStyle;)Landroidx/compose/ui/text/PlatformSpanStyle; HPLandroidx/compose/ui/text/SpanStyleKt;->resolveSpanStyleDefaults(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1; @@ -10485,7 +10468,7 @@ HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/Char HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory23; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->()V -HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; +HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory26; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V @@ -10869,7 +10852,7 @@ Landroidx/compose/ui/text/intl/PlatformLocale; Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/intl/PlatformLocaleKt; HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->()V -HSPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; +HPLandroidx/compose/ui/text/intl/PlatformLocaleKt;->getPlatformLocaleDelegate()Landroidx/compose/ui/text/intl/PlatformLocaleDelegate; Landroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt; HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt;->createCharSequence(Ljava/lang/String;FLandroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Lkotlin/jvm/functions/Function4;Z)Ljava/lang/CharSequence; @@ -11170,7 +11153,7 @@ HSPLandroidx/compose/ui/text/style/TextIndent;->getRestLine-XSAIIZE()J Landroidx/compose/ui/text/style/TextIndent$Companion; HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->()V HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; +HPLandroidx/compose/ui/text/style/TextIndent$Companion;->getNone()Landroidx/compose/ui/text/style/TextIndent; Landroidx/compose/ui/text/style/TextMotion; HSPLandroidx/compose/ui/text/style/TextMotion;->()V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZ)V @@ -11216,7 +11199,7 @@ HPLandroidx/compose/ui/unit/Constraints;->box-impl(J)Landroidx/compose/ui/unit/C HPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA$default(JIIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA(JIIII)J -PLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl0(JJ)Z HPLandroidx/compose/ui/unit/Constraints;->getFocusIndex-impl(J)I @@ -11268,7 +11251,7 @@ HPLandroidx/compose/ui/unit/DensityWithConverter;->getFontScale()F Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->()V HPLandroidx/compose/ui/unit/Dp;->(F)V -HPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F +HSPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F HPLandroidx/compose/ui/unit/Dp;->box-impl(F)Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I HSPLandroidx/compose/ui/unit/Dp;->constructor-impl(F)F @@ -11325,9 +11308,9 @@ HPLandroidx/compose/ui/unit/IntOffsetKt;->IntOffset(II)J HSPLandroidx/compose/ui/unit/IntOffsetKt;->plus-Nv-tHpc(JJ)J Landroidx/compose/ui/unit/IntSize; HSPLandroidx/compose/ui/unit/IntSize;->()V -HSPLandroidx/compose/ui/unit/IntSize;->(J)V +HPLandroidx/compose/ui/unit/IntSize;->(J)V HPLandroidx/compose/ui/unit/IntSize;->access$getZero$cp()J -HPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; +HSPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; HPLandroidx/compose/ui/unit/IntSize;->constructor-impl(J)J HSPLandroidx/compose/ui/unit/IntSize;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/unit/IntSize;->equals-impl(JLjava/lang/Object;)Z @@ -11460,9 +11443,9 @@ Landroidx/core/content/OnTrimMemoryProvider; Landroidx/core/graphics/Insets; HSPLandroidx/core/graphics/Insets;->()V HPLandroidx/core/graphics/Insets;->(IIII)V -HSPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z +HPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z HSPLandroidx/core/graphics/Insets;->of(IIII)Landroidx/core/graphics/Insets; -HSPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; +HPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; Landroidx/core/graphics/drawable/TintAwareDrawable; Landroidx/core/os/HandlerCompat; HSPLandroidx/core/os/HandlerCompat;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; @@ -11504,11 +11487,13 @@ HSPLandroidx/core/os/LocaleListCompat$Api24Impl;->createLocaleList([Ljava/util/L Landroidx/core/os/LocaleListInterface; Landroidx/core/os/LocaleListPlatformWrapper; HSPLandroidx/core/os/LocaleListPlatformWrapper;->(Ljava/lang/Object;)V -PLandroidx/core/os/TraceCompat;->()V -PLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V -PLandroidx/core/os/TraceCompat;->endSection()V -PLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V -PLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V +Landroidx/core/os/TraceCompat; +HSPLandroidx/core/os/TraceCompat;->()V +HSPLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V +HSPLandroidx/core/os/TraceCompat;->endSection()V +Landroidx/core/os/TraceCompat$Api18Impl; +HSPLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V +HSPLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V PLandroidx/core/util/ObjectsCompat;->requireNonNull(Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/Object; Landroidx/core/util/Preconditions; HSPLandroidx/core/util/Preconditions;->checkNotNull(Ljava/lang/Object;)Ljava/lang/Object; @@ -11644,9 +11629,9 @@ Landroidx/core/view/WindowInsetsCompat$Impl30; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->()V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->(Landroidx/core/view/WindowInsetsCompat;Landroid/view/WindowInsets;)V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->copyRootViewBounds(Landroid/view/View;)V -HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; +HPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsetsIgnoringVisibility(I)Landroidx/core/graphics/Insets; -HPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z +HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z Landroidx/core/view/WindowInsetsCompat$Type; HSPLandroidx/core/view/WindowInsetsCompat$Type;->captionBar()I HSPLandroidx/core/view/WindowInsetsCompat$Type;->displayCutout()I @@ -12258,11 +12243,12 @@ PLandroidx/datastore/preferences/protobuf/WireFormat$JavaType;->values()[Landroi PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->()V PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->(Ljava/lang/String;I)V Landroidx/emoji2/text/ConcurrencyHelpers; -PLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; -PLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; +HSPLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; +HSPLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; HSPLandroidx/emoji2/text/ConcurrencyHelpers;->mainHandlerAsync()Landroid/os/Handler; -PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->(Ljava/lang/String;)V -PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; +Landroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0; +HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->(Ljava/lang/String;)V +HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; Landroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl; HSPLandroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; PLandroidx/emoji2/text/DefaultEmojiCompatConfig;->create(Landroid/content/Context;)Landroidx/emoji2/text/FontRequestEmojiCompatConfig; @@ -12286,18 +12272,19 @@ HSPLandroidx/emoji2/text/EmojiCompat;->get()Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->getLoadState()I HSPLandroidx/emoji2/text/EmojiCompat;->init(Landroidx/emoji2/text/EmojiCompat$Config;)Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->isConfigured()Z -PLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z -PLandroidx/emoji2/text/EmojiCompat;->load()V +HSPLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z +HSPLandroidx/emoji2/text/EmojiCompat;->load()V HSPLandroidx/emoji2/text/EmojiCompat;->loadMetadata()V -PLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V +HSPLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V HSPLandroidx/emoji2/text/EmojiCompat;->registerInitCallback(Landroidx/emoji2/text/EmojiCompat$InitCallback;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal;->(Landroidx/emoji2/text/EmojiCompat;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal19; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->(Landroidx/emoji2/text/EmojiCompat;)V -PLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V -PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V -PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V +HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V +Landroidx/emoji2/text/EmojiCompat$CompatInternal19$1; +HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V +HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V Landroidx/emoji2/text/EmojiCompat$Config; HSPLandroidx/emoji2/text/EmojiCompat$Config;->(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader;)V HSPLandroidx/emoji2/text/EmojiCompat$Config;->setMetadataLoadStrategy(I)Landroidx/emoji2/text/EmojiCompat$Config; @@ -12309,7 +12296,8 @@ HSPLandroidx/emoji2/text/EmojiCompat$InitCallback;->()V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->(Ljava/util/Collection;ILjava/lang/Throwable;)V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->run()V Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader; -PLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V +Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback; +HSPLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V Landroidx/emoji2/text/EmojiCompat$SpanFactory; Landroidx/emoji2/text/EmojiCompatInitializer; HSPLandroidx/emoji2/text/EmojiCompatInitializer;->()V @@ -12325,14 +12313,15 @@ Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig;->(Landroid/content/Context;)V Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->(Landroid/content/Context;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V +Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0; +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V Landroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable; HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->()V -PLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V +HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V Landroidx/fragment/app/FragmentActivity; HSPLandroidx/fragment/app/FragmentActivity;->()V HSPLandroidx/fragment/app/FragmentActivity;->dispatchFragmentsOnCreateView(Landroid/view/View;Ljava/lang/String;Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/view/View; @@ -12710,7 +12699,7 @@ HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->set(Landroid/view/View;Land Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V -HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V @@ -12719,7 +12708,7 @@ HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwne HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/runtime/R$id; Landroidx/lifecycle/viewmodel/CreationExtras; -HPLandroidx/lifecycle/viewmodel/CreationExtras;->()V +HSPLandroidx/lifecycle/viewmodel/CreationExtras;->()V HSPLandroidx/lifecycle/viewmodel/CreationExtras;->getMap$lifecycle_viewmodel_release()Ljava/util/Map; Landroidx/lifecycle/viewmodel/CreationExtras$Empty; HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V @@ -12951,7 +12940,8 @@ HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->()V HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->create(Landroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration;)Landroidx/sqlite/db/SupportSQLiteOpenHelper; PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->(Landroid/database/sqlite/SQLiteProgram;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindLong(IJ)V -HPLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindString(ILjava/lang/String;)V +PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindNull(I)V +PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindString(ILjava/lang/String;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->close()V PLandroidx/sqlite/db/framework/FrameworkSQLiteStatement;->(Landroid/database/sqlite/SQLiteStatement;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteStatement;->executeUpdateDelete()I @@ -13043,14 +13033,14 @@ PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->invoke(Ljava/lang/Str Lapp/cash/sqldelight/ColumnAdapter; Lapp/cash/sqldelight/EnumColumnAdapter; HSPLapp/cash/sqldelight/EnumColumnAdapter;->([Ljava/lang/Enum;)V -PLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; +HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/Object;)Ljava/lang/Object; HPLapp/cash/sqldelight/EnumColumnAdapter;->decode(Ljava/lang/String;)Ljava/lang/Enum; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Enum;)Ljava/lang/String; PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Object;)Ljava/lang/Object; Lapp/cash/sqldelight/ExecutableQuery; HSPLapp/cash/sqldelight/ExecutableQuery;->(Lkotlin/jvm/functions/Function1;)V HSPLapp/cash/sqldelight/ExecutableQuery;->executeAsOneOrNull()Ljava/lang/Object; -HPLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; +PLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; Lapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1; HSPLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->(Lapp/cash/sqldelight/ExecutableQuery;)V PLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Lapp/cash/sqldelight/db/QueryResult; @@ -13125,7 +13115,7 @@ PLapp/cash/sqldelight/db/QueryResult$Companion;->getUnit-mlR-ZEE()Ljava/lang/Obj HPLapp/cash/sqldelight/db/QueryResult$Value;->(Ljava/lang/Object;)V PLapp/cash/sqldelight/db/QueryResult$Value;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLapp/cash/sqldelight/db/QueryResult$Value;->await-impl(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; +PLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; PLapp/cash/sqldelight/db/QueryResult$Value;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; HPLapp/cash/sqldelight/db/QueryResult$Value;->getValue()Ljava/lang/Object; Lapp/cash/sqldelight/db/SqlDriver; @@ -13133,9 +13123,9 @@ PLapp/cash/sqldelight/db/SqlDriver$DefaultImpls;->execute$default(Lapp/cash/sqld Lapp/cash/sqldelight/db/SqlPreparedStatement; Lapp/cash/sqldelight/db/SqlSchema; PLapp/cash/sqldelight/driver/android/AndroidCursor;->(Landroid/database/Cursor;Ljava/lang/Long;)V -PLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; +HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getString(I)Ljava/lang/String; -PLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; +HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->(Landroidx/sqlite/db/SupportSQLiteStatement;)V PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->bindLong(ILjava/lang/Long;)V @@ -13146,7 +13136,6 @@ Lapp/cash/sqldelight/driver/android/AndroidQuery; PLapp/cash/sqldelight/driver/android/AndroidQuery;->(Ljava/lang/String;Landroidx/sqlite/db/SupportSQLiteDatabase;ILjava/lang/Long;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindString(ILjava/lang/String;)V PLapp/cash/sqldelight/driver/android/AndroidQuery;->bindTo(Landroidx/sqlite/db/SupportSQLiteProgram;)V -PLapp/cash/sqldelight/driver/android/AndroidQuery;->close()V HPLapp/cash/sqldelight/driver/android/AndroidQuery;->executeQuery(Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidQuery;->getArgCount()I PLapp/cash/sqldelight/driver/android/AndroidQuery;->getSql()Ljava/lang/String; @@ -13164,7 +13153,7 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getTransaction PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->access$getWindowSizeBytes$p(Lapp/cash/sqldelight/driver/android/AndroidSqliteDriver;)Ljava/lang/Long; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->addListener([Ljava/lang/String;Lapp/cash/sqldelight/Query$Listener;)V PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->currentTransaction()Lapp/cash/sqldelight/Transacter$Transaction; -HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; +PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute(Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->execute-zeHU3Mk(Ljava/lang/Integer;Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Lapp/cash/sqldelight/db/QueryResult; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver;->executeQuery-0yMERmw(Ljava/lang/Integer;Ljava/lang/String;Lkotlin/jvm/functions/Function1;ILkotlin/jvm/functions/Function1;)Ljava/lang/Object; @@ -13200,7 +13189,7 @@ PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$executeQuery$2;->invoke Lapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1; HSPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->(I)V PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZILapp/cash/sqldelight/driver/android/AndroidStatement;Lapp/cash/sqldelight/driver/android/AndroidStatement;)V -PLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZLjava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)V +HPLapp/cash/sqldelight/driver/android/AndroidSqliteDriver$statements$1;->entryRemoved(ZLjava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)V Lapp/cash/sqldelight/driver/android/AndroidStatement; PLapp/cash/sqldelight/internal/CurrentThreadIdKt;->currentThreadId()J PLcoil/fetch/ContentUriFetcher$$ExternalSyntheticApiModelOutline0;->m()Landroid/util/CloseGuard; @@ -13341,7 +13330,7 @@ PLcoil3/RealImageLoader$Options;->getDiskCacheLazy()Lkotlin/Lazy; PLcoil3/RealImageLoader$Options;->getEventListenerFactory()Lcoil3/EventListener$Factory; PLcoil3/RealImageLoader$Options;->getLogger()Lcoil3/util/Logger; PLcoil3/RealImageLoader$Options;->getMemoryCacheLazy()Lkotlin/Lazy; -PLcoil3/RealImageLoader$execute$2;->(Lcoil3/request/ImageRequest;Lcoil3/RealImageLoader;Lkotlin/coroutines/Continuation;)V +HPLcoil3/RealImageLoader$execute$2;->(Lcoil3/request/ImageRequest;Lcoil3/RealImageLoader;Lkotlin/coroutines/Continuation;)V HPLcoil3/RealImageLoader$execute$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/RealImageLoader$execute$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLcoil3/RealImageLoader$execute$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13408,7 +13397,7 @@ HPLcoil3/compose/AsyncImageKt$Content$2;->measure-3p2s80s(Landroidx/compose/ui/l PLcoil3/compose/AsyncImageKt$Content$2$1;->()V PLcoil3/compose/AsyncImageKt$Content$2$1;->()V PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/AsyncImageKt$Content$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/AsyncImagePainter;->()V HPLcoil3/compose/AsyncImagePainter;->(Lcoil3/request/ImageRequest;Lcoil3/ImageLoader;)V PLcoil3/compose/AsyncImagePainter;->access$getDefaultTransform$cp()Lkotlin/jvm/functions/Function1; @@ -13458,7 +13447,7 @@ PLcoil3/compose/AsyncImagePainter$State$Success;->()V PLcoil3/compose/AsyncImagePainter$State$Success;->(Landroidx/compose/ui/graphics/painter/Painter;Lcoil3/request/SuccessResult;)V PLcoil3/compose/AsyncImagePainter$State$Success;->getPainter()Landroidx/compose/ui/graphics/painter/Painter; PLcoil3/compose/AsyncImagePainter$State$Success;->getResult()Lcoil3/request/SuccessResult; -HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V +PLcoil3/compose/AsyncImagePainter$onRemembered$1;->(Lcoil3/compose/AsyncImagePainter;Lkotlin/coroutines/Continuation;)V PLcoil3/compose/AsyncImagePainter$onRemembered$1;->access$invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/compose/AsyncImagePainter$onRemembered$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/compose/AsyncImagePainter$onRemembered$1;->invokeSuspend$updateState(Lcoil3/compose/AsyncImagePainter;Lcoil3/compose/AsyncImagePainter$State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13498,7 +13487,7 @@ HPLcoil3/compose/internal/ConstraintsSizeResolver;->measure-3p2s80s(Landroidx/co HPLcoil3/compose/internal/ConstraintsSizeResolver;->size(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/internal/ConstraintsSizeResolver$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->(Lkotlinx/coroutines/flow/Flow;)V HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V @@ -13512,16 +13501,16 @@ HPLcoil3/compose/internal/ContentPainterModifier;->measure-3p2s80s(Landroidx/com HPLcoil3/compose/internal/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J PLcoil3/compose/internal/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/internal/CrossfadePainter;->()V PLcoil3/compose/internal/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V -HPLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J +PLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J HPLcoil3/compose/internal/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J HPLcoil3/compose/internal/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V -HPLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; +PLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; PLcoil3/compose/internal/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J -HPLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I -HPLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F +PLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I +PLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F HPLcoil3/compose/internal/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V PLcoil3/compose/internal/CrossfadePainter;->setInvalidateTick(I)V PLcoil3/compose/internal/UtilsKt;->()V @@ -13586,8 +13575,8 @@ PLcoil3/disk/DiskLruCache;->access$getLock$p(Lcoil3/disk/DiskLruCache;)Ljava/lan PLcoil3/disk/DiskLruCache;->access$getValueCount$p(Lcoil3/disk/DiskLruCache;)I PLcoil3/disk/DiskLruCache;->checkNotClosed()V HPLcoil3/disk/DiskLruCache;->completeEdit(Lcoil3/disk/DiskLruCache$Editor;Z)V -PLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; -PLcoil3/disk/DiskLruCache;->get(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Snapshot; +HPLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; +HPLcoil3/disk/DiskLruCache;->get(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache;->initialize()V PLcoil3/disk/DiskLruCache;->journalRewriteRequired()Z PLcoil3/disk/DiskLruCache;->newJournalWriter()Lokio/BufferedSink; @@ -13599,7 +13588,7 @@ PLcoil3/disk/DiskLruCache$Editor;->(Lcoil3/disk/DiskLruCache;Lcoil3/disk/D PLcoil3/disk/DiskLruCache$Editor;->commit()V PLcoil3/disk/DiskLruCache$Editor;->commitAndGet()Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache$Editor;->complete(Z)V -PLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; +HPLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; PLcoil3/disk/DiskLruCache$Editor;->getEntry()Lcoil3/disk/DiskLruCache$Entry; PLcoil3/disk/DiskLruCache$Editor;->getWritten()[Z HPLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V @@ -13679,7 +13668,7 @@ PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->(Lcoil3/inte PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$fetch$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$intercept$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V @@ -13759,7 +13748,7 @@ PLcoil3/memory/WeakReferenceMemoryCache$Companion;->()V PLcoil3/memory/WeakReferenceMemoryCache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;)V PLcoil3/network/CacheResponse;->(Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkHeaders;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLcoil3/network/CacheResponse;->(Lokio/BufferedSource;)V +HPLcoil3/network/CacheResponse;->(Lokio/BufferedSource;)V PLcoil3/network/CacheResponse;->getResponseHeaders()Lcoil3/network/NetworkHeaders; HPLcoil3/network/CacheResponse;->writeTo(Lokio/BufferedSink;)V PLcoil3/network/ImageRequestsKt;->()V @@ -13811,7 +13800,7 @@ PLcoil3/network/NetworkHeaders;->get(Ljava/lang/String;)Ljava/lang/String; PLcoil3/network/NetworkHeaders;->newBuilder()Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->()V PLcoil3/network/NetworkHeaders$Builder;->(Lcoil3/network/NetworkHeaders;)V -HPLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +PLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->build()Lcoil3/network/NetworkHeaders; PLcoil3/network/NetworkHeaders$Builder;->set(Ljava/lang/String;Ljava/util/List;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Companion;->()V @@ -13864,7 +13853,7 @@ PLcoil3/network/ktor/internal/Utils_commonKt;->access$toNetworkResponse(Lio/ktor PLcoil3/network/ktor/internal/Utils_commonKt;->takeFrom(Lio/ktor/http/HeadersBuilder;Lcoil3/network/NetworkHeaders;)V PLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkHeaders(Lio/ktor/http/Headers;)Lcoil3/network/NetworkHeaders; -PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt$toHttpRequestBuilder$1;->(Lkotlin/coroutines/Continuation;)V PLcoil3/network/ktor/internal/Utils_commonKt$toNetworkResponse$1;->(Lkotlin/coroutines/Continuation;)V PLcoil3/network/okhttp/OkHttpNetworkFetcher;->factory()Lcoil3/network/NetworkFetcher$Factory; @@ -13898,7 +13887,7 @@ PLcoil3/request/CachePolicy;->(Ljava/lang/String;IZZ)V PLcoil3/request/CachePolicy;->getReadEnabled()Z PLcoil3/request/CachePolicy;->getWriteEnabled()Z HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;)V -PLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLcoil3/request/ImageRequest;->(Landroid/content/Context;Ljava/lang/Object;Lcoil3/target/Target;Lcoil3/request/ImageRequest$Listener;Ljava/lang/String;Ljava/util/Map;Ljava/lang/String;Lokio/FileSystem;Lkotlin/Pair;Lcoil3/decode/Decoder$Factory;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/memory/MemoryCache$Key;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/SizeResolver;Lcoil3/size/Scale;Lcoil3/size/Precision;Lcoil3/Extras;Lcoil3/request/ImageRequest$Defined;Lcoil3/request/ImageRequest$Defaults;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/request/ImageRequest;->equals(Ljava/lang/Object;)Z HPLcoil3/request/ImageRequest;->getContext()Landroid/content/Context; HPLcoil3/request/ImageRequest;->getData()Ljava/lang/Object; @@ -13914,7 +13903,7 @@ PLcoil3/request/ImageRequest;->getFetcherFactory()Lkotlin/Pair; HPLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; PLcoil3/request/ImageRequest;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest;->getListener()Lcoil3/request/ImageRequest$Listener; -HPLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; +PLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; HPLcoil3/request/ImageRequest;->getMemoryCacheKeyExtras()Ljava/util/Map; PLcoil3/request/ImageRequest;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; @@ -13953,7 +13942,7 @@ PLcoil3/request/ImageRequest$Defaults;->getExtras()Lcoil3/Extras; HPLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest$Defaults;->getFileSystem()Lokio/FileSystem; HPLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -PLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getPrecision()Lcoil3/size/Precision; PLcoil3/request/ImageRequest$Defaults$Companion;->()V @@ -13969,7 +13958,7 @@ PLcoil3/request/ImageRequest$Defined;->getMemoryCachePolicy()Lcoil3/request/Cach PLcoil3/request/ImageRequest$Defined;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defined;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defined;->getPrecision()Lcoil3/size/Precision; -PLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; +HPLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; HPLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequestKt;->resolveScale(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/Scale; HPLcoil3/request/ImageRequestKt;->resolveSizeResolver(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/SizeResolver; @@ -14163,7 +14152,7 @@ Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3; -HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->unregister()V Lcom/slack/circuit/backstack/CompositeProvidedValues; HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->()V @@ -14185,7 +14174,8 @@ HSPLcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver;->onRe Lcom/slack/circuit/backstack/ProvidedValues; Lcom/slack/circuit/backstack/SaveableBackStack; HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I @@ -14234,11 +14224,11 @@ Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/SaveableBackStackKt; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; -Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->(Lkotlin/jvm/functions/Function1;)V -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Ljava/util/List;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; +Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->(Ljava/util/List;)V +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider; HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V @@ -14500,6 +14490,7 @@ Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V Lcom/slack/circuit/foundation/NavigatorImplKt; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)Lcom/slack/circuit/runtime/Navigator; HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; @@ -14722,10 +14713,6 @@ HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Landroidx/co HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$1$1$1$1;->(Ljava/lang/Object;)V -Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1; -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->(Lkotlinx/collections/immutable/PersistentList;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Lcom/slack/circuit/backstack/SaveableBackStack;)V -HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$backStack$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1; HSPLcom/slack/circuit/star/MainActivity$onCreate$1$1$1$navigator$1$1;->(Ljava/lang/Object;)V Lcom/slack/circuit/star/MainActivity$sam$com_slack_circuitx_android_AndroidScreenStarter$0; @@ -14782,7 +14769,7 @@ Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenter$Factory; Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory; HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->()V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->(Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenter$Factory;)V -PLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory; HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/benchmark/ListBenchmarksItemPresenterFactory_Factory; @@ -14836,6 +14823,7 @@ PLcom/slack/circuit/star/data/Animal;->getSize()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getStatus()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getUrl()Ljava/lang/String; PLcom/slack/circuit/star/data/AnimalJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V +HPLcom/slack/circuit/star/data/AnimalJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/AnimalsResponse;->()V PLcom/slack/circuit/star/data/AnimalsResponse;->(Ljava/util/List;Lcom/slack/circuit/star/data/Pagination;)V PLcom/slack/circuit/star/data/AnimalsResponse;->getAnimals()Ljava/util/List; @@ -15091,7 +15079,7 @@ HSPLcom/slack/circuit/star/db/Animal$Adapter;->()V HSPLcom/slack/circuit/star/db/Animal$Adapter;->(Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;Lapp/cash/sqldelight/ColumnAdapter;)V HPLcom/slack/circuit/star/db/Animal$Adapter;->getGenderAdapter()Lapp/cash/sqldelight/ColumnAdapter; HPLcom/slack/circuit/star/db/Animal$Adapter;->getPhotoUrlsAdapter()Lapp/cash/sqldelight/ColumnAdapter; -PLcom/slack/circuit/star/db/Animal$Adapter;->getSizeAdapter()Lapp/cash/sqldelight/ColumnAdapter; +HPLcom/slack/circuit/star/db/Animal$Adapter;->getSizeAdapter()Lapp/cash/sqldelight/ColumnAdapter; PLcom/slack/circuit/star/db/Animal$Adapter;->getTagsAdapter()Lapp/cash/sqldelight/ColumnAdapter; Lcom/slack/circuit/star/db/Gender; HSPLcom/slack/circuit/star/db/Gender;->$values()[Lcom/slack/circuit/star/db/Gender; @@ -15277,7 +15265,7 @@ HSPLcom/slack/circuit/star/home/AboutFactory_Factory$InstanceHolder;->() Lcom/slack/circuit/star/home/AboutPresenterFactory; HSPLcom/slack/circuit/star/home/AboutPresenterFactory;->()V HSPLcom/slack/circuit/star/home/AboutPresenterFactory;->()V -PLcom/slack/circuit/star/home/AboutPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/home/AboutPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/home/AboutPresenterFactory_Factory; HSPLcom/slack/circuit/star/home/AboutPresenterFactory_Factory;->()V HSPLcom/slack/circuit/star/home/AboutPresenterFactory_Factory;->create()Lcom/slack/circuit/star/home/AboutPresenterFactory_Factory; @@ -15423,7 +15411,7 @@ Lcom/slack/circuit/star/imageviewer/ImageViewerPresenter$Factory; Lcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->()V HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->(Lcom/slack/circuit/star/imageviewer/ImageViewerPresenter$Factory;)V -PLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory; HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/imageviewer/ImageViewerPresenterFactory_Factory; @@ -15551,7 +15539,7 @@ Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory; Lcom/slack/circuit/star/petlist/FiltersPresenterFactory; HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->()V HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->(Lcom/slack/circuit/star/petlist/FiltersPresenter$Factory;)V -PLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; +HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->(Ljavax/inject/Provider;)V HSPLcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory;->create(Ljavax/inject/Provider;)Lcom/slack/circuit/star/petlist/FiltersPresenterFactory_Factory; @@ -15571,10 +15559,10 @@ HPLcom/slack/circuit/star/petlist/PetListAnimal;->(JLjava/lang/String;Ljav PLcom/slack/circuit/star/petlist/PetListAnimal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getBreed()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getGender()Lcom/slack/circuit/star/db/Gender; -HPLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J +PLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J PLcom/slack/circuit/star/petlist/PetListAnimal;->getImageUrl()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getName()Ljava/lang/String; -PLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; +HPLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; Lcom/slack/circuit/star/petlist/PetListFactory; HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V @@ -15601,7 +15589,7 @@ PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$6(Landroidx/c PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/CircuitUiState; HPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/petlist/PetListScreen$State; -PLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z +HPLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z Lcom/slack/circuit/star/petlist/PetListPresenter$Factory; PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lcom/slack/circuit/runtime/GoToNavigator;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1; @@ -15687,7 +15675,7 @@ HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2;->invoke(Ljava/lang Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1; HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/runtime/Composer;I)V -HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$1$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3; @@ -15905,8 +15893,8 @@ PLcom/squareup/moshi/JsonReader$Token;->()V PLcom/squareup/moshi/JsonReader$Token;->(Ljava/lang/String;I)V PLcom/squareup/moshi/JsonUtf8Reader;->()V PLcom/squareup/moshi/JsonUtf8Reader;->(Lokio/BufferedSource;)V -PLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V -PLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V +HPLcom/squareup/moshi/JsonUtf8Reader;->beginArray()V +HPLcom/squareup/moshi/JsonUtf8Reader;->beginObject()V HPLcom/squareup/moshi/JsonUtf8Reader;->endArray()V HPLcom/squareup/moshi/JsonUtf8Reader;->endObject()V HPLcom/squareup/moshi/JsonUtf8Reader;->findName(Ljava/lang/String;Lcom/squareup/moshi/JsonReader$Options;)I @@ -15916,9 +15904,7 @@ HPLcom/squareup/moshi/JsonUtf8Reader;->nextBoolean()Z PLcom/squareup/moshi/JsonUtf8Reader;->nextInt()I PLcom/squareup/moshi/JsonUtf8Reader;->nextLong()J HPLcom/squareup/moshi/JsonUtf8Reader;->nextName()Ljava/lang/String; -HPLcom/squareup/moshi/JsonUtf8Reader;->nextNonWhitespace(Z)I HPLcom/squareup/moshi/JsonUtf8Reader;->nextNull()Ljava/lang/Object; -HPLcom/squareup/moshi/JsonUtf8Reader;->nextQuotedValue(Lokio/ByteString;)Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->nextString()Ljava/lang/String; HPLcom/squareup/moshi/JsonUtf8Reader;->peek()Lcom/squareup/moshi/JsonReader$Token; HPLcom/squareup/moshi/JsonUtf8Reader;->peekKeyword()I @@ -16083,7 +16069,7 @@ PLio/ktor/client/HttpClient;->getSendPipeline()Lio/ktor/client/request/HttpSendP PLio/ktor/client/HttpClient$2;->(Lio/ktor/client/HttpClient;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/HttpClient$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/HttpClient$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->invoke(Lio/ktor/client/HttpClient;)V @@ -16197,8 +16183,6 @@ PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->(Lkotlinx/coroutines/D PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->(Lkotlinx/coroutines/Job;)V -PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->(Lio/ktor/http/Headers;Lio/ktor/http/content/OutgoingContent;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Lio/ktor/http/HeadersBuilder;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -16206,7 +16190,6 @@ PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->(Lkotlin/jvm/functions/Fu PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/String;Ljava/util/List;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->(Lio/ktor/client/request/HttpRequestData;Lkotlinx/coroutines/CancellableContinuation;)V -PLio/ktor/client/engine/okhttp/OkHttpCallback;->onFailure(Lokhttp3/Call;Ljava/io/IOException;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->onResponse(Lokhttp3/Call;Lokhttp3/Response;)V PLio/ktor/client/engine/okhttp/OkHttpConfig;->()V PLio/ktor/client/engine/okhttp/OkHttpConfig;->getClientCacheSize()I @@ -16268,8 +16251,6 @@ PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Headers;)Lio/ktor PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Protocol;)Lio/ktor/http/HttpProtocolVersion; PLio/ktor/client/engine/okhttp/OkUtilsKt$WhenMappings;->()V PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->(Lokhttp3/Call;)V -PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->(Lokhttp3/Headers;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->entries()Ljava/util/Set; PLio/ktor/client/plugins/BodyProgress;->()V @@ -16305,7 +16286,7 @@ PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidatio PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultTransformKt;->()V PLio/ktor/client/plugins/DefaultTransformKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/DefaultTransformKt;->defaultTransformers(Lio/ktor/client/HttpClient;)V @@ -16334,10 +16315,8 @@ PLio/ktor/client/plugins/HttpCallValidator;->()V PLio/ktor/client/plugins/HttpCallValidator;->(Ljava/util/List;Ljava/util/List;Z)V PLio/ktor/client/plugins/HttpCallValidator;->access$getExpectSuccess$p(Lio/ktor/client/plugins/HttpCallValidator;)Z PLio/ktor/client/plugins/HttpCallValidator;->access$getKey$cp()Lio/ktor/util/AttributeKey; -PLio/ktor/client/plugins/HttpCallValidator;->access$processException(Lio/ktor/client/plugins/HttpCallValidator;Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator;->access$validateResponse(Lio/ktor/client/plugins/HttpCallValidator;Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpCallValidator;->processException(Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpCallValidator;->validateResponse(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpCallValidator;->validateResponse(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Companion;->()V PLio/ktor/client/plugins/HttpCallValidator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/client/plugins/HttpCallValidator$Companion;->getKey()Lio/ktor/util/AttributeKey; @@ -16366,16 +16345,11 @@ PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseExceptionHandlers PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseValidators$ktor_client_core()Ljava/util/List; PLio/ktor/client/plugins/HttpCallValidator$Config;->setExpectSuccess(Z)V PLio/ktor/client/plugins/HttpCallValidator$Config;->validateResponse(Lkotlin/jvm/functions/Function2;)V -PLio/ktor/client/plugins/HttpCallValidator$processException$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidator$validateResponse$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidatorKt;->()V -PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpResponseValidator(Lio/ktor/client/HttpClientConfig;Lkotlin/jvm/functions/Function1;)V -PLio/ktor/client/plugins/HttpCallValidatorKt;->access$HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/HttpCallValidatorKt;->getExpectSuccessAttributeKey()Lio/ktor/util/AttributeKey; -PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->(Lio/ktor/client/request/HttpRequestBuilder;)V -PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->getUrl()Lio/ktor/http/Url; PLio/ktor/client/plugins/HttpClientPluginKt;->()V PLio/ktor/client/plugins/HttpClientPluginKt;->getPLUGIN_INSTALLED_LIST()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpClientPluginKt;->plugin(Lio/ktor/client/HttpClient;Lio/ktor/client/plugins/HttpClientPlugin;)Ljava/lang/Object; @@ -16467,11 +16441,9 @@ PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetry$p(Lio/ktor/cli PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetryOnException$p(Lio/ktor/client/plugins/HttpRequestRetry;)Lkotlin/jvm/functions/Function3; PLio/ktor/client/plugins/HttpRequestRetry;->access$prepareRequest(Lio/ktor/client/plugins/HttpRequestRetry;Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetry(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z -PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetryOnException(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry;->intercept$ktor_client_core(Lio/ktor/client/HttpClient;)V PLio/ktor/client/plugins/HttpRequestRetry;->prepareRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetry(IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z -PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetryOnException(IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->delayMillis(ZLkotlin/jvm/functions/Function2;)V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->exponentialDelay$default(Lio/ktor/client/plugins/HttpRequestRetry$Configuration;DJJZILjava/lang/Object;)V @@ -16497,8 +16469,6 @@ PLio/ktor/client/plugins/HttpRequestRetry$Configuration$exponentialDelay$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$modifyRequest$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->(Z)V -PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Ljava/lang/Boolean; -PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequest;Lio/ktor/client/statement/HttpResponse;)Ljava/lang/Boolean; @@ -16524,8 +16494,6 @@ PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getModifyRequestPerRequestA PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getRetryDelayPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryOnExceptionPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; -PLio/ktor/client/plugins/HttpRequestRetryKt;->access$isTimeoutException(Ljava/lang/Throwable;)Z -PLio/ktor/client/plugins/HttpRequestRetryKt;->isTimeoutException(Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpSend;->()V PLio/ktor/client/plugins/HttpSend;->(I)V PLio/ktor/client/plugins/HttpSend;->(ILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16569,7 +16537,6 @@ PLio/ktor/client/request/HttpRequestBuilder;->getBody()Ljava/lang/Object; PLio/ktor/client/request/HttpRequestBuilder;->getBodyType()Lio/ktor/util/reflect/TypeInfo; PLio/ktor/client/request/HttpRequestBuilder;->getExecutionContext()Lkotlinx/coroutines/Job; PLio/ktor/client/request/HttpRequestBuilder;->getHeaders()Lio/ktor/http/HeadersBuilder; -PLio/ktor/client/request/HttpRequestBuilder;->getMethod()Lio/ktor/http/HttpMethod; PLio/ktor/client/request/HttpRequestBuilder;->getUrl()Lio/ktor/http/URLBuilder; PLio/ktor/client/request/HttpRequestBuilder;->setBody(Ljava/lang/Object;)V PLio/ktor/client/request/HttpRequestBuilder;->setBodyType(Lio/ktor/util/reflect/TypeInfo;)V @@ -16619,7 +16586,7 @@ PLio/ktor/client/request/HttpSendPipeline$Phases;->getEngine()Lio/ktor/util/pipe PLio/ktor/client/request/HttpSendPipeline$Phases;->getReceive()Lio/ktor/util/pipeline/PipelinePhase; PLio/ktor/client/request/RequestBodyKt;->()V PLio/ktor/client/request/RequestBodyKt;->getBodyTypeAttributeKey()Lio/ktor/util/AttributeKey; -PLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V +HPLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V PLio/ktor/client/statement/DefaultHttpResponse;->getCall()Lio/ktor/client/call/HttpClientCall; PLio/ktor/client/statement/DefaultHttpResponse;->getContent()Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/client/statement/DefaultHttpResponse;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -16659,7 +16626,6 @@ PLio/ktor/client/statement/HttpStatement;->cleanup(Lio/ktor/client/statement/Htt HPLio/ktor/client/statement/HttpStatement;->execute(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/statement/HttpStatement;->executeUnsafe(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$cleanup$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V -PLio/ktor/client/statement/HttpStatement$cleanup$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$execute$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/statement/HttpStatement$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$executeUnsafe$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V @@ -16671,7 +16637,6 @@ PLio/ktor/client/utils/ClientEventsKt;->getHttpResponseReceived()Lio/ktor/events PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->getContentLength()Ljava/lang/Long; -PLio/ktor/client/utils/ExceptionUtilsJvmKt;->unwrapCancellationException(Ljava/lang/Throwable;)Ljava/lang/Throwable; PLio/ktor/client/utils/HeadersKt;->buildHeaders(Lkotlin/jvm/functions/Function1;)Lio/ktor/http/Headers; PLio/ktor/events/EventDefinition;->()V PLio/ktor/events/Events;->()V @@ -16906,7 +16871,7 @@ PLio/ktor/http/URLBuilderKt;->access$appendTo(Lio/ktor/http/URLBuilder;Ljava/lan HPLio/ktor/http/URLBuilderKt;->appendTo(Lio/ktor/http/URLBuilder;Ljava/lang/Appendable;)Ljava/lang/Appendable; HPLio/ktor/http/URLBuilderKt;->getAuthority(Lio/ktor/http/URLBuilder;)Ljava/lang/String; PLio/ktor/http/URLBuilderKt;->getEncodedPath(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -HPLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; +PLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; PLio/ktor/http/URLBuilderKt;->joinPath(Ljava/util/List;)Ljava/lang/String; PLio/ktor/http/URLParserKt;->()V PLio/ktor/http/URLParserKt;->count(Ljava/lang/String;IIC)I @@ -16980,7 +16945,7 @@ PLio/ktor/util/CaseInsensitiveMap;->entrySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/String;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->getEntries()Ljava/util/Set; -HPLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; +PLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; PLio/ktor/util/CaseInsensitiveMap;->isEmpty()Z PLio/ktor/util/CaseInsensitiveMap;->keySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -17053,7 +17018,7 @@ PLio/ktor/util/StringValuesBuilderImpl;->isEmpty()Z PLio/ktor/util/StringValuesBuilderImpl;->names()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->set(Ljava/lang/String;Ljava/lang/String;)V HPLio/ktor/util/StringValuesBuilderImpl;->validateName(Ljava/lang/String;)V -HPLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V +PLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->(Lio/ktor/util/StringValuesBuilderImpl;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/String;Ljava/util/List;)V @@ -17135,16 +17100,13 @@ PLio/ktor/util/pipeline/PipelinePhaseRelation$After;->(Lio/ktor/util/pipel PLio/ktor/util/pipeline/PipelinePhaseRelation$Before;->(Lio/ktor/util/pipeline/PipelinePhase;)V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V -PLio/ktor/util/pipeline/StackTraceRecoverJvmKt;->withCause(Ljava/lang/Throwable;Ljava/lang/Throwable;)Ljava/lang/Throwable; -PLio/ktor/util/pipeline/StackTraceRecoverKt;->recoverStackTraceBridge(Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Throwable; HPLio/ktor/util/pipeline/SuspendFunctionGun;->(Ljava/lang/Object;Ljava/lang/Object;Ljava/util/List;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getLastSuspensionIndex$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)I PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getSuspensions$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)[Lkotlin/coroutines/Continuation; PLio/ktor/util/pipeline/SuspendFunctionGun;->access$loop(Lio/ktor/util/pipeline/SuspendFunctionGun;Z)Z -PLio/ktor/util/pipeline/SuspendFunctionGun;->access$resumeRootWith(Lio/ktor/util/pipeline/SuspendFunctionGun;Ljava/lang/Object;)V -PLio/ktor/util/pipeline/SuspendFunctionGun;->addContinuation(Lkotlin/coroutines/Continuation;)V +HPLio/ktor/util/pipeline/SuspendFunctionGun;->addContinuation(Lkotlin/coroutines/Continuation;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->discardLastRootContinuation()V -PLio/ktor/util/pipeline/SuspendFunctionGun;->execute$ktor_utils(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/util/pipeline/SuspendFunctionGun;->execute$ktor_utils(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/util/pipeline/SuspendFunctionGun;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/pipeline/SuspendFunctionGun;->getSubject()Ljava/lang/Object; HPLio/ktor/util/pipeline/SuspendFunctionGun;->loop(Z)Z @@ -17183,8 +17145,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->carryIndex(Ljava/nio/ByteBuffer;I)I HPLio/ktor/utils/io/ByteBufferChannel;->close(Ljava/lang/Throwable;)Z HPLio/ktor/utils/io/ByteBufferChannel;->copyDirect$ktor_io(Lio/ktor/utils/io/ByteBufferChannel;JLio/ktor/utils/io/internal/JoiningState;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->currentState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; -PLio/ktor/utils/io/ByteBufferChannel;->flush()V -HPLio/ktor/utils/io/ByteBufferChannel;->flushImpl(I)V +HPLio/ktor/utils/io/ByteBufferChannel;->flush()V PLio/ktor/utils/io/ByteBufferChannel;->getAutoFlush()Z PLio/ktor/utils/io/ByteBufferChannel;->getAvailableForRead()I HPLio/ktor/utils/io/ByteBufferChannel;->getClosed()Lio/ktor/utils/io/internal/ClosedElement; @@ -17194,7 +17155,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->getState()Lio/ktor/utils/io/internal/Rea PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesRead()J HPLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J HPLio/ktor/utils/io/ByteBufferChannel;->getWriteOp()Lkotlin/coroutines/Continuation; -PLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z +HPLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z HPLio/ktor/utils/io/ByteBufferChannel;->newBuffer()Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial; HPLio/ktor/utils/io/ByteBufferChannel;->prepareBuffer(Ljava/nio/ByteBuffer;II)V HPLio/ktor/utils/io/ByteBufferChannel;->read$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -17202,7 +17163,7 @@ PLio/ktor/utils/io/ByteBufferChannel;->read(ILkotlin/jvm/functions/Function1;Lko HPLio/ktor/utils/io/ByteBufferChannel;->readBlockSuspend(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspendImpl(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V +HPLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/ByteBufferChannel;->resolveChannelInstance$ktor_io()Lio/ktor/utils/io/ByteBufferChannel; HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterRead()V HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterWrite$ktor_io()V @@ -17256,7 +17217,7 @@ PLio/ktor/utils/io/ChannelScope;->(Lkotlinx/coroutines/CoroutineScope;Lio/ PLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteChannel; HPLio/ktor/utils/io/ChannelScope;->getChannel()Lio/ktor/utils/io/ByteWriteChannel; PLio/ktor/utils/io/ClosedWriteChannelException;->(Ljava/lang/String;)V -PLio/ktor/utils/io/CoroutinesKt;->launchChannel(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lio/ktor/utils/io/ByteChannel;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/ChannelJob; +HPLio/ktor/utils/io/CoroutinesKt;->launchChannel(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lio/ktor/utils/io/ByteChannel;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/ChannelJob; PLio/ktor/utils/io/CoroutinesKt;->writer$default(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ZLkotlin/jvm/functions/Function2;ILjava/lang/Object;)Lio/ktor/utils/io/WriterJob; PLio/ktor/utils/io/CoroutinesKt;->writer(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ZLkotlin/jvm/functions/Function2;)Lio/ktor/utils/io/WriterJob; PLio/ktor/utils/io/CoroutinesKt$launchChannel$1;->(Lio/ktor/utils/io/ByteChannel;)V @@ -17333,18 +17294,14 @@ PLio/ktor/utils/io/core/internal/UnsafeKt;->()V PLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V -PLio/ktor/utils/io/internal/CancellableReusableContinuation;->access$notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Throwable;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->completeSuspendBlock(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLio/ktor/utils/io/internal/CancellableReusableContinuation;->notParent(Lio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->parent(Lkotlin/coroutines/CoroutineContext;)V HPLio/ktor/utils/io/internal/CancellableReusableContinuation;->resumeWith(Ljava/lang/Object;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->(Lio/ktor/utils/io/internal/CancellableReusableContinuation;Lkotlinx/coroutines/Job;)V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->dispose()V PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->getJob()Lkotlinx/coroutines/Job; -PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/utils/io/internal/CancellableReusableContinuation$JobRelation;->invoke(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->()V PLio/ktor/utils/io/internal/ClosedElement;->(Ljava/lang/Throwable;)V PLio/ktor/utils/io/internal/ClosedElement;->access$getEmptyCause$cp()Lio/ktor/utils/io/internal/ClosedElement; @@ -17372,22 +17329,19 @@ PLio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty;->startWriting$kto PLio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->(Ljava/nio/ByteBuffer;I)V PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->(Ljava/nio/ByteBuffer;IILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getIdleState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getIdleState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->getReadBuffer()Ljava/nio/ByteBuffer; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getReadBuffer()Ljava/nio/ByteBuffer; -PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; @@ -17399,7 +17353,7 @@ HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->getWriteBuffer()Ljav PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->startReading$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$IdleNonEmpty; -PLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; +HPLio/ktor/utils/io/internal/ReadWriteBufferState$Writing;->stopWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->()V PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->getEmptyByteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferStateKt;->getEmptyCapacity()Lio/ktor/utils/io/internal/RingBufferCapacity; @@ -17409,7 +17363,7 @@ HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeRead(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeWrite(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->flush()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z -PLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z +HPLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->resetForWrite()V HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z @@ -17426,14 +17380,14 @@ PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/lang/Object;)L HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/nio/ByteBuffer;)V PLio/ktor/utils/io/pool/DefaultPool;->()V PLio/ktor/utils/io/pool/DefaultPool;->(I)V -PLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; +HPLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; PLio/ktor/utils/io/pool/DefaultPool;->clearInstance(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->popTop()I HPLio/ktor/utils/io/pool/DefaultPool;->pushTop(I)V HPLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V HPLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->tryPush(Ljava/lang/Object;)Z -PLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V +HPLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V Lio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0; HPLio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReferenceArray;ILjava/lang/Object;Ljava/lang/Object;)Z PLio/ktor/utils/io/pool/DefaultPool$Companion;->()V @@ -17464,8 +17418,8 @@ Lkotlin/Pair; HPLkotlin/Pair;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLkotlin/Pair;->component1()Ljava/lang/Object; HSPLkotlin/Pair;->component2()Ljava/lang/Object; -HSPLkotlin/Pair;->getFirst()Ljava/lang/Object; -HPLkotlin/Pair;->getSecond()Ljava/lang/Object; +HPLkotlin/Pair;->getFirst()Ljava/lang/Object; +HSPLkotlin/Pair;->getSecond()Ljava/lang/Object; Lkotlin/Result; HSPLkotlin/Result;->()V HPLkotlin/Result;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; @@ -17602,7 +17556,7 @@ HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([Ljava/lang/Object;II)[Ljava/lang/Object; HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([IIIIILjava/lang/Object;)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([JJIIILjava/lang/Object;)V -HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V +HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([IIII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([JJII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([Ljava/lang/Object;Ljava/lang/Object;II)V @@ -17613,7 +17567,7 @@ Lkotlin/collections/ArraysKt___ArraysKt; PLkotlin/collections/ArraysKt___ArraysKt;->contains([II)Z PLkotlin/collections/ArraysKt___ArraysKt;->filterNotNull([Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/ArraysKt___ArraysKt;->filterNotNullTo([Ljava/lang/Object;Ljava/util/Collection;)Ljava/util/Collection; -PLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([I)I +HPLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([I)I HPLkotlin/collections/ArraysKt___ArraysKt;->getLastIndex([Ljava/lang/Object;)I PLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([II)Ljava/lang/Integer; HPLkotlin/collections/ArraysKt___ArraysKt;->getOrNull([Ljava/lang/Object;I)Ljava/lang/Object; @@ -17708,7 +17662,7 @@ HSPLkotlin/collections/EmptyMap;->()V HSPLkotlin/collections/EmptyMap;->containsKey(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyMap;->entrySet()Ljava/util/Set; PLkotlin/collections/EmptyMap;->equals(Ljava/lang/Object;)Z -HPLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Object; PLkotlin/collections/EmptyMap;->get(Ljava/lang/Object;)Ljava/lang/Void; HSPLkotlin/collections/EmptyMap;->getEntries()Ljava/util/Set; HSPLkotlin/collections/EmptyMap;->getKeys()Ljava/util/Set; @@ -17726,7 +17680,7 @@ PLkotlin/collections/EmptySet;->getSize()I PLkotlin/collections/EmptySet;->hashCode()I PLkotlin/collections/EmptySet;->isEmpty()Z HPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; -PLkotlin/collections/EmptySet;->size()I +HPLkotlin/collections/EmptySet;->size()I Lkotlin/collections/IntIterator; HPLkotlin/collections/IntIterator;->()V Lkotlin/collections/MapWithDefault; @@ -17879,7 +17833,6 @@ PLkotlin/coroutines/AbstractCoroutineContextKey;->isSubKey$kotlin_stdlib(Lkotlin PLkotlin/coroutines/AbstractCoroutineContextKey;->tryCast$kotlin_stdlib(Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext$Element; Lkotlin/coroutines/CombinedContext; HPLkotlin/coroutines/CombinedContext;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)V -HPLkotlin/coroutines/CombinedContext;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLkotlin/coroutines/CombinedContext;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLkotlin/coroutines/CombinedContext;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLkotlin/coroutines/CombinedContext;->plus(Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; @@ -17908,7 +17861,6 @@ Lkotlin/coroutines/CoroutineContext$plus$1; HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext; Lkotlin/coroutines/EmptyCoroutineContext; HSPLkotlin/coroutines/EmptyCoroutineContext;->()V HSPLkotlin/coroutines/EmptyCoroutineContext;->()V @@ -17940,7 +17892,6 @@ Lkotlin/coroutines/jvm/internal/ContinuationImpl; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/CoroutineContext;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->getContext()Lkotlin/coroutines/CoroutineContext; -HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->intercepted()Lkotlin/coroutines/Continuation; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->releaseIntercepted()V Lkotlin/coroutines/jvm/internal/CoroutineStackFrame; Lkotlin/coroutines/jvm/internal/DebugProbesKt; @@ -17948,7 +17899,7 @@ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineCreated(Lkotlin/ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineResumed(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineSuspended(Lkotlin/coroutines/Continuation;)V PLkotlin/coroutines/jvm/internal/RestrictedContinuationImpl;->(Lkotlin/coroutines/Continuation;)V -PLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V +HPLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V Lkotlin/coroutines/jvm/internal/SuspendFunction; Lkotlin/coroutines/jvm/internal/SuspendLambda; HPLkotlin/coroutines/jvm/internal/SuspendLambda;->(ILkotlin/coroutines/Continuation;)V @@ -17968,7 +17919,7 @@ Lkotlin/internal/PlatformImplementationsKt; HSPLkotlin/internal/PlatformImplementationsKt;->()V Lkotlin/internal/ProgressionUtilKt; HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(III)I -HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J +PLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J HPLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(III)I PLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(JJJ)J HSPLkotlin/internal/ProgressionUtilKt;->mod(II)I @@ -18060,7 +18011,6 @@ HSPLkotlin/jvm/internal/IntCompanionObject;->()V HSPLkotlin/jvm/internal/IntCompanionObject;->()V Lkotlin/jvm/internal/Intrinsics; HSPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Float;F)Z -HPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Object;Ljava/lang/Object;)Z HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;Ljava/lang/String;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNullExpressionValue(Ljava/lang/Object;Ljava/lang/String;)V @@ -18119,7 +18069,7 @@ HPLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljav PLkotlin/jvm/internal/TypeIntrinsics;->castToList(Ljava/lang/Object;)Ljava/util/List; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToSet(Ljava/lang/Object;)Ljava/util/Set; -HPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I +HSPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I HPLkotlin/jvm/internal/TypeIntrinsics;->isFunctionOfArity(Ljava/lang/Object;I)Z HSPLkotlin/jvm/internal/TypeIntrinsics;->isMutableSet(Ljava/lang/Object;)Z PLkotlin/jvm/internal/TypeReference;->()V @@ -18181,8 +18131,8 @@ Lkotlin/ranges/ClosedRange; Lkotlin/ranges/IntProgression; HSPLkotlin/ranges/IntProgression;->()V HPLkotlin/ranges/IntProgression;->(III)V -HSPLkotlin/ranges/IntProgression;->getFirst()I -HSPLkotlin/ranges/IntProgression;->getLast()I +HPLkotlin/ranges/IntProgression;->getFirst()I +HPLkotlin/ranges/IntProgression;->getLast()I PLkotlin/ranges/IntProgression;->getStep()I HPLkotlin/ranges/IntProgression;->iterator()Ljava/util/Iterator; HPLkotlin/ranges/IntProgression;->iterator()Lkotlin/collections/IntIterator; @@ -18210,7 +18160,7 @@ PLkotlin/ranges/LongProgression$Companion;->()V PLkotlin/ranges/LongProgression$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLkotlin/ranges/LongRange;->()V PLkotlin/ranges/LongRange;->(JJ)V -HPLkotlin/ranges/LongRange;->contains(J)Z +PLkotlin/ranges/LongRange;->contains(J)Z PLkotlin/ranges/LongRange$Companion;->()V PLkotlin/ranges/LongRange$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlin/ranges/OpenEndRange; @@ -18306,11 +18256,11 @@ Lkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1; HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; -HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/sequences/TransformingSequence; HPLkotlin/sequences/TransformingSequence;->(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)V HSPLkotlin/sequences/TransformingSequence;->access$getSequence$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/sequences/Sequence; -HSPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; +HPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; HPLkotlin/sequences/TransformingSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/TransformingSequence$iterator$1; HPLkotlin/sequences/TransformingSequence$iterator$1;->(Lkotlin/sequences/TransformingSequence;)V @@ -18403,7 +18353,7 @@ PLkotlin/text/StringsKt__StringsKt;->removeSuffix(Ljava/lang/String;Ljava/lang/C PLkotlin/text/StringsKt__StringsKt;->requireNonNegativeLimit(I)V HPLkotlin/text/StringsKt__StringsKt;->split$StringsKt__StringsKt(Ljava/lang/CharSequence;Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[CZIILjava/lang/Object;)Ljava/util/List; -PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; +HPLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[CZI)Ljava/util/List; HPLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->startsWith$default(Ljava/lang/CharSequence;Ljava/lang/CharSequence;ZILjava/lang/Object;)Z @@ -18416,14 +18366,14 @@ HPLkotlin/text/StringsKt__StringsKt;->trim(Ljava/lang/CharSequence;)Ljava/lang/C Lkotlin/text/StringsKt___StringsJvmKt; Lkotlin/text/StringsKt___StringsKt; HPLkotlin/text/StringsKt___StringsKt;->last(Ljava/lang/CharSequence;)C -PLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; +HPLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; PLkotlin/time/Duration;->()V PLkotlin/time/Duration;->constructor-impl(J)J PLkotlin/time/Duration;->getInWholeDays-impl(J)J -HPLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J +PLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J PLkotlin/time/Duration;->getInWholeSeconds-impl(J)J PLkotlin/time/Duration;->getNanosecondsComponent-impl(J)I -HPLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; +PLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; PLkotlin/time/Duration;->getValue-impl(J)J PLkotlin/time/Duration;->isInMillis-impl(J)Z PLkotlin/time/Duration;->isInNanos-impl(J)Z @@ -18447,11 +18397,11 @@ PLkotlin/time/DurationUnit;->(Ljava/lang/String;ILjava/util/concurrent/Tim PLkotlin/time/DurationUnit;->getTimeUnit$kotlin_stdlib()Ljava/util/concurrent/TimeUnit; HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnit(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnitOverflow(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J -HPLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J +PLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/LongSaturatedMathKt;->saturatingFiniteDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/MonotonicTimeSource;->()V PLkotlin/time/MonotonicTimeSource;->()V -HPLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J +PLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J PLkotlin/time/MonotonicTimeSource;->markNow-z9LOYto()J PLkotlin/time/MonotonicTimeSource;->read()J PLkotlin/time/TimeSource$Monotonic;->()V @@ -18494,7 +18444,7 @@ HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIter HPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->hasNext()Z HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractListIterator;->setIndex(I)V Lkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList; -HPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V +HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->()V HPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->iterator()Ljava/util/Iterator; HSPLkotlinx/collections/immutable/implementations/immutableList/AbstractPersistentList;->listIterator()Ljava/util/ListIterator; Lkotlinx/collections/immutable/implementations/immutableList/BufferIterator; @@ -18503,8 +18453,8 @@ HPLkotlinx/collections/immutable/implementations/immutableList/BufferIterator;-> PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->([Ljava/lang/Object;[Ljava/lang/Object;II)V HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->bufferFor(I)[Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->get(I)Ljava/lang/Object; -HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I -HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I +PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->getSize()I +PLkotlinx/collections/immutable/implementations/immutableList/PersistentVector;->rootSize()I Lkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder; HPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->(Lkotlinx/collections/immutable/PersistentList;[Ljava/lang/Object;[Ljava/lang/Object;I)V HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVectorBuilder;->add(Ljava/lang/Object;)Z @@ -18532,7 +18482,7 @@ HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVe Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->()V HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->getEMPTY()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; +HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->getEMPTY()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; Lkotlinx/collections/immutable/implementations/immutableList/UtilsKt; HPLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->persistentVectorOf()Lkotlinx/collections/immutable/PersistentList; PLkotlinx/collections/immutable/implementations/immutableList/UtilsKt;->rootSize(I)I @@ -18564,12 +18514,12 @@ HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z +HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$kotlinx_collections_immutable(I)I HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->keyAtIndex(I)Ljava/lang/Object; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableInsertEntryAt(ILjava/lang/Object;Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutablePut(ILjava/lang/Object;Ljava/lang/Object;ILkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->mutableUpdateValueAtIndex(ILjava/lang/Object;Lkotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder;)Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; @@ -18648,7 +18598,7 @@ PLkotlinx/coroutines/AbstractCoroutine;->cancellationExceptionMessage()Ljava/lan HPLkotlinx/coroutines/AbstractCoroutine;->getContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->isActive()Z -PLkotlinx/coroutines/AbstractCoroutine;->onCancelled(Ljava/lang/Throwable;Z)V +HSPLkotlinx/coroutines/AbstractCoroutine;->onCancelled(Ljava/lang/Throwable;Z)V HSPLkotlinx/coroutines/AbstractCoroutine;->onCompleted(Ljava/lang/Object;)V HPLkotlinx/coroutines/AbstractCoroutine;->onCompletionInternal(Ljava/lang/Object;)V HPLkotlinx/coroutines/AbstractCoroutine;->resumeWith(Ljava/lang/Object;)V @@ -18689,7 +18639,7 @@ Lkotlinx/coroutines/CancellableContinuation; Lkotlinx/coroutines/CancellableContinuationImpl; HSPLkotlinx/coroutines/CancellableContinuationImpl;->()V HPLkotlinx/coroutines/CancellableContinuationImpl;->(Lkotlin/coroutines/Continuation;I)V -PLkotlinx/coroutines/CancellableContinuationImpl;->callCancelHandler(Lkotlinx/coroutines/CancelHandler;Ljava/lang/Throwable;)V +HSPLkotlinx/coroutines/CancellableContinuationImpl;->callCancelHandler(Lkotlinx/coroutines/CancelHandler;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->callSegmentOnCancellation(Lkotlinx/coroutines/internal/Segment;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->cancel(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/CancellableContinuationImpl;->cancelCompletedResult$kotlinx_coroutines_core(Ljava/lang/Object;Ljava/lang/Throwable;)V @@ -18714,7 +18664,6 @@ HPLkotlinx/coroutines/CancellableContinuationImpl;->installParentHandle()Lkotlin HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlin/jvm/functions/Function1;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellationImpl(Ljava/lang/Object;)V -PLkotlinx/coroutines/CancellableContinuationImpl;->isCancelled()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isCompleted()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isReusable()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->makeCancelHandler(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/CancelHandler; @@ -18757,10 +18706,10 @@ Lkotlinx/coroutines/CompletableJob; Lkotlinx/coroutines/CompletedContinuation; HPLkotlinx/coroutines/CompletedContinuation;->(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/CompletedContinuation;->(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLkotlinx/coroutines/CompletedContinuation;->copy$default(Lkotlinx/coroutines/CompletedContinuation;Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;ILjava/lang/Object;)Lkotlinx/coroutines/CompletedContinuation; -PLkotlinx/coroutines/CompletedContinuation;->copy(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;)Lkotlinx/coroutines/CompletedContinuation; -PLkotlinx/coroutines/CompletedContinuation;->getCancelled()Z -PLkotlinx/coroutines/CompletedContinuation;->invokeHandlers(Lkotlinx/coroutines/CancellableContinuationImpl;Ljava/lang/Throwable;)V +HSPLkotlinx/coroutines/CompletedContinuation;->copy$default(Lkotlinx/coroutines/CompletedContinuation;Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;ILjava/lang/Object;)Lkotlinx/coroutines/CompletedContinuation; +HSPLkotlinx/coroutines/CompletedContinuation;->copy(Ljava/lang/Object;Lkotlinx/coroutines/CancelHandler;Lkotlin/jvm/functions/Function1;Ljava/lang/Object;Ljava/lang/Throwable;)Lkotlinx/coroutines/CompletedContinuation; +HSPLkotlinx/coroutines/CompletedContinuation;->getCancelled()Z +HSPLkotlinx/coroutines/CompletedContinuation;->invokeHandlers(Lkotlinx/coroutines/CancellableContinuationImpl;Ljava/lang/Throwable;)V Lkotlinx/coroutines/CompletedExceptionally; HSPLkotlinx/coroutines/CompletedExceptionally;->()V HPLkotlinx/coroutines/CompletedExceptionally;->(Ljava/lang/Throwable;Z)V @@ -18934,7 +18883,7 @@ Lkotlinx/coroutines/InactiveNodeList; Lkotlinx/coroutines/Incomplete; Lkotlinx/coroutines/InvokeOnCancel; HPLkotlinx/coroutines/InvokeOnCancel;->(Lkotlin/jvm/functions/Function1;)V -PLkotlinx/coroutines/InvokeOnCancel;->invoke(Ljava/lang/Throwable;)V +HSPLkotlinx/coroutines/InvokeOnCancel;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/InvokeOnCancelling;->()V PLkotlinx/coroutines/InvokeOnCancelling;->(Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/InvokeOnCancelling;->get_invoked$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; @@ -18962,7 +18911,6 @@ HPLkotlinx/coroutines/JobCancellingNode;->()V Lkotlinx/coroutines/JobImpl; HPLkotlinx/coroutines/JobImpl;->(Lkotlinx/coroutines/Job;)V PLkotlinx/coroutines/JobImpl;->complete()Z -PLkotlinx/coroutines/JobImpl;->completeExceptionally(Ljava/lang/Throwable;)Z HSPLkotlinx/coroutines/JobImpl;->getHandlesException$kotlinx_coroutines_core()Z PLkotlinx/coroutines/JobImpl;->getOnCancelComplete$kotlinx_coroutines_core()Z HPLkotlinx/coroutines/JobImpl;->handlesException()Z @@ -19007,7 +18955,7 @@ HPLkotlinx/coroutines/JobSupport;->cancelParent(Ljava/lang/Throwable;)Z PLkotlinx/coroutines/JobSupport;->cancellationExceptionMessage()Ljava/lang/String; HPLkotlinx/coroutines/JobSupport;->childCancelled(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/JobSupport;->completeStateFinalization(Lkotlinx/coroutines/Incomplete;Ljava/lang/Object;)V -HPLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V +PLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport;->createCauseException(Ljava/lang/Object;)Ljava/lang/Throwable; HPLkotlinx/coroutines/JobSupport;->finalizeFinishingState(Lkotlinx/coroutines/JobSupport$Finishing;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->firstChild(Lkotlinx/coroutines/Incomplete;)Lkotlinx/coroutines/ChildHandleNode; @@ -19025,7 +18973,6 @@ HPLkotlinx/coroutines/JobSupport;->get_parentHandle$volatile$FU()Ljava/util/conc HPLkotlinx/coroutines/JobSupport;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport;->initParentJob(Lkotlinx/coroutines/Job;)V HSPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; -HPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(ZZLkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; HPLkotlinx/coroutines/JobSupport;->isActive()Z PLkotlinx/coroutines/JobSupport;->isCancelled()Z HPLkotlinx/coroutines/JobSupport;->isCompleted()Z @@ -19034,7 +18981,7 @@ PLkotlinx/coroutines/JobSupport;->join(Lkotlin/coroutines/Continuation;)Ljava/la PLkotlinx/coroutines/JobSupport;->joinInternal()Z PLkotlinx/coroutines/JobSupport;->joinSuspend(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeCancelling(Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/JobSupport;->makeCompleting$kotlinx_coroutines_core(Ljava/lang/Object;)Z +HPLkotlinx/coroutines/JobSupport;->makeCompleting$kotlinx_coroutines_core(Ljava/lang/Object;)Z HPLkotlinx/coroutines/JobSupport;->makeCompletingOnce$kotlinx_coroutines_core(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeNode(Lkotlin/jvm/functions/Function1;Z)Lkotlinx/coroutines/JobNode; HPLkotlinx/coroutines/JobSupport;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; @@ -19072,7 +19019,7 @@ HPLkotlinx/coroutines/JobSupport$Finishing;->getRootCause()Ljava/lang/Throwable; HPLkotlinx/coroutines/JobSupport$Finishing;->get_exceptionsHolder$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport$Finishing;->get_isCompleting$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/JobSupport$Finishing;->get_rootCause$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; -PLkotlinx/coroutines/JobSupport$Finishing;->isActive()Z +HSPLkotlinx/coroutines/JobSupport$Finishing;->isActive()Z HPLkotlinx/coroutines/JobSupport$Finishing;->isCancelling()Z HPLkotlinx/coroutines/JobSupport$Finishing;->isCompleting()Z PLkotlinx/coroutines/JobSupport$Finishing;->isSealed()Z @@ -19108,7 +19055,6 @@ Lkotlinx/coroutines/ParentJob; PLkotlinx/coroutines/ResumeAwaitOnCompletion;->(Lkotlinx/coroutines/CancellableContinuationImpl;)V HPLkotlinx/coroutines/ResumeAwaitOnCompletion;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/ResumeOnCompletion;->(Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/ResumeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/StandaloneCoroutine; HPLkotlinx/coroutines/StandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Z)V Lkotlinx/coroutines/SupervisorJobImpl; @@ -19227,7 +19173,7 @@ PLkotlinx/coroutines/channels/BufferedChannel;->removeUnprocessedElements(Lkotli PLkotlinx/coroutines/channels/BufferedChannel;->resumeReceiverOnClosedChannel(Lkotlinx/coroutines/Waiter;)V HPLkotlinx/coroutines/channels/BufferedChannel;->resumeWaiterOnClosedChannel(Lkotlinx/coroutines/Waiter;Z)V HPLkotlinx/coroutines/channels/BufferedChannel;->send$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/channels/BufferedChannel;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/BufferedChannel;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->shouldSendSuspend(J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->tryReceive-PtdJZtk()Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->tryResumeReceiver(Ljava/lang/Object;Ljava/lang/Object;)Z @@ -19289,7 +19235,7 @@ PLkotlinx/coroutines/channels/ChannelCoroutine;->cancel(Ljava/util/concurrent/Ca PLkotlinx/coroutines/channels/ChannelCoroutine;->cancelInternal(Ljava/lang/Throwable;)V PLkotlinx/coroutines/channels/ChannelCoroutine;->get_channel()Lkotlinx/coroutines/channels/Channel; HSPLkotlinx/coroutines/channels/ChannelCoroutine;->iterator()Lkotlinx/coroutines/channels/ChannelIterator; -PLkotlinx/coroutines/channels/ChannelCoroutine;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/channels/ChannelCoroutine;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/channels/ChannelIterator; Lkotlinx/coroutines/channels/ChannelKt; HPLkotlinx/coroutines/channels/ChannelKt;->Channel$default(ILkotlinx/coroutines/channels/BufferOverflow;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Lkotlinx/coroutines/channels/Channel; @@ -19470,7 +19416,7 @@ Lkotlinx/coroutines/flow/SharedFlowImpl; HPLkotlinx/coroutines/flow/SharedFlowImpl;->(IILkotlinx/coroutines/channels/BufferOverflow;)V HSPLkotlinx/coroutines/flow/SharedFlowImpl;->access$tryPeekLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;Lkotlinx/coroutines/flow/SharedFlowSlot;)J HPLkotlinx/coroutines/flow/SharedFlowImpl;->awaitValue(Lkotlinx/coroutines/flow/SharedFlowSlot;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/SharedFlowImpl;->cleanupTailLocked()V +HSPLkotlinx/coroutines/flow/SharedFlowImpl;->cleanupTailLocked()V HPLkotlinx/coroutines/flow/SharedFlowImpl;->collect$suspendImpl(Lkotlinx/coroutines/flow/SharedFlowImpl;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/SharedFlowImpl;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/SharedFlowImpl;->createSlot()Lkotlinx/coroutines/flow/SharedFlowSlot; @@ -19483,7 +19429,7 @@ HPLkotlinx/coroutines/flow/SharedFlowImpl;->findSlotsToResumeLocked([Lkotlin/cor HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getBufferEndIndex()J HPLkotlinx/coroutines/flow/SharedFlowImpl;->getHead()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getLastReplayedLocked()Ljava/lang/Object; -PLkotlinx/coroutines/flow/SharedFlowImpl;->getPeekedValueLockedAt(J)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getPeekedValueLockedAt(J)Ljava/lang/Object; PLkotlinx/coroutines/flow/SharedFlowImpl;->getQueueEndIndex()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getReplaySize()I HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getTotalSize()I @@ -19511,7 +19457,7 @@ Lkotlinx/coroutines/flow/SharedFlowSlot; HSPLkotlinx/coroutines/flow/SharedFlowSlot;->()V HSPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Ljava/lang/Object;)Z HPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)Z -PLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Ljava/lang/Object;)[Lkotlin/coroutines/Continuation; +HSPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Ljava/lang/Object;)[Lkotlin/coroutines/Continuation; HPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)[Lkotlin/coroutines/Continuation; PLkotlinx/coroutines/flow/SharingCommand;->$values()[Lkotlinx/coroutines/flow/SharingCommand; PLkotlinx/coroutines/flow/SharingCommand;->()V @@ -19538,9 +19484,9 @@ HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->command(Lkotlinx/coroutines HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->equals(Ljava/lang/Object;)Z Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$1; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->(Lkotlinx/coroutines/flow/StartedWhileSubscribed;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$2; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->(Lkotlin/coroutines/Continuation;)V PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; @@ -19587,9 +19533,9 @@ Lkotlinx/coroutines/flow/internal/AbortFlowException; PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Lkotlinx/coroutines/flow/FlowCollector;)V HPLkotlinx/coroutines/flow/internal/AbortFlowException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/AbstractSharedFlow; -HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V +HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getNCollectors(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)I -PLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getSlots(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)[Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; +HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->access$getSlots(Lkotlinx/coroutines/flow/internal/AbstractSharedFlow;)[Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->allocateSlot()Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->freeSlot(Lkotlinx/coroutines/flow/internal/AbstractSharedFlowSlot;)V HSPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->getNCollectors()I @@ -19629,7 +19575,7 @@ PLkotlinx/coroutines/flow/internal/ChannelFlowOperatorImpl;->flowCollect(Lkotlin Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest; HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->(Lkotlin/jvm/functions/Function3;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)V HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->(Lkotlin/jvm/functions/Function3;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->access$getTransform$p(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;)Lkotlin/jvm/functions/Function3; +HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->access$getTransform$p(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;)Lkotlin/jvm/functions/Function3; HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->create(Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/internal/ChannelFlow; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->flowCollect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3; @@ -19727,7 +19673,6 @@ HPLkotlinx/coroutines/internal/ContextScope;->(Lkotlin/coroutines/Coroutin HPLkotlinx/coroutines/internal/ContextScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/internal/DispatchedContinuation; HSPLkotlinx/coroutines/internal/DispatchedContinuation;->()V -HPLkotlinx/coroutines/internal/DispatchedContinuation;->(Lkotlinx/coroutines/CoroutineDispatcher;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->awaitReusability$kotlinx_coroutines_core()V PLkotlinx/coroutines/internal/DispatchedContinuation;->cancelCompletedResult$kotlinx_coroutines_core(Ljava/lang/Object;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->claimReusableCancellableContinuation$kotlinx_coroutines_core()Lkotlinx/coroutines/CancellableContinuationImpl; @@ -19801,15 +19746,12 @@ HSPLkotlinx/coroutines/internal/LockFreeTaskQueue;->(Z)V HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->addLast(Ljava/lang/Object;)Z HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->get_cur$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; -HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->(IZ)V -HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->addLast(Ljava/lang/Object;)I HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getArray()Ljava/util/concurrent/atomic/AtomicReferenceArray; HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; -HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -19847,7 +19789,7 @@ PLkotlinx/coroutines/internal/Segment;->isRemoved()Z HPLkotlinx/coroutines/internal/Segment;->onSlotCleaned()V PLkotlinx/coroutines/internal/Segment;->tryIncPointers$kotlinx_coroutines_core()Z PLkotlinx/coroutines/internal/SegmentOrClosed;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; +HPLkotlinx/coroutines/internal/SegmentOrClosed;->getSegment-impl(Ljava/lang/Object;)Lkotlinx/coroutines/internal/Segment; PLkotlinx/coroutines/internal/SegmentOrClosed;->isClosed-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/internal/Symbol;->(Ljava/lang/String;)V @@ -19900,7 +19842,7 @@ HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->(IIJLjava/lang/String;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->access$getControlState$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->addToGlobalQueue(Lkotlinx/coroutines/scheduling/Task;)Z -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I +HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createTask(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->currentWorker()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->dispatch(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;Z)V @@ -19909,7 +19851,7 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->getParkedWorkersStack$vola HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->get_isTerminated$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->isTerminated()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackNextIndex(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)I -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; +HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPop()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackPush(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Z PLkotlinx/coroutines/scheduling/CoroutineScheduler;->parkedWorkersStackTopUpdate(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;II)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->runSafely(Lkotlinx/coroutines/scheduling/Task;)V @@ -19924,9 +19866,9 @@ HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->()V -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;I)V -PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->access$getThis$0$p(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Lkotlinx/coroutines/scheduling/CoroutineScheduler; +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->access$getThis$0$p(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Lkotlinx/coroutines/scheduling/CoroutineScheduler; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->afterTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->beforeTask(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->executeTask(Lkotlinx/coroutines/scheduling/Task;)V @@ -19940,7 +19882,9 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->idleReset(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->inStack()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->nextInt(I)I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->park()V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->pollGlobalQueues()Lkotlinx/coroutines/scheduling/Task; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->run()V +HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setNextParkedWorker(Ljava/lang/Object;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryAcquireCpuPermit()Z @@ -19995,7 +19939,7 @@ HSPLkotlinx/coroutines/scheduling/WorkQueue;->()V HSPLkotlinx/coroutines/scheduling/WorkQueue;->()V HPLkotlinx/coroutines/scheduling/WorkQueue;->add(Lkotlinx/coroutines/scheduling/Task;Z)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->addLast(Lkotlinx/coroutines/scheduling/Task;)Lkotlinx/coroutines/scheduling/Task; -PLkotlinx/coroutines/scheduling/WorkQueue;->decrementIfBlocking(Lkotlinx/coroutines/scheduling/Task;)V +HPLkotlinx/coroutines/scheduling/WorkQueue;->decrementIfBlocking(Lkotlinx/coroutines/scheduling/Task;)V PLkotlinx/coroutines/scheduling/WorkQueue;->getBlockingTasksInBuffer$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; PLkotlinx/coroutines/scheduling/WorkQueue;->getBufferSize()I HPLkotlinx/coroutines/scheduling/WorkQueue;->getConsumerIndex$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; @@ -20006,6 +19950,7 @@ PLkotlinx/coroutines/scheduling/WorkQueue;->pollBlocking()Lkotlinx/coroutines/sc HPLkotlinx/coroutines/scheduling/WorkQueue;->pollBuffer()Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->pollWithExclusiveMode(Z)Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->stealWithExclusiveMode(I)Lkotlinx/coroutines/scheduling/Task; +PLkotlinx/coroutines/scheduling/WorkQueue;->tryExtractFromTheMiddle(IZ)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->trySteal(ILkotlin/jvm/internal/Ref$ObjectRef;)J HPLkotlinx/coroutines/scheduling/WorkQueue;->tryStealLastScheduled(ILkotlin/jvm/internal/Ref$ObjectRef;)J Lkotlinx/coroutines/selects/SelectInstance; @@ -20028,7 +19973,7 @@ PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->(Lk PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->completeResume(Ljava/lang/Object;)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; -HPLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner$tryResume$token$1;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;)V Lkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1; HPLkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1;->(Lkotlinx/coroutines/sync/MutexImpl;)V @@ -20075,6 +20020,7 @@ Lkotlinx/coroutines/sync/SemaphoreSegment; HPLkotlinx/coroutines/sync/SemaphoreSegment;->(JLkotlinx/coroutines/sync/SemaphoreSegment;I)V PLkotlinx/coroutines/sync/SemaphoreSegment;->getAcquirers()Ljava/util/concurrent/atomic/AtomicReferenceArray; PLkotlinx/coroutines/sync/SemaphoreSegment;->getNumberOfSlots()I +PLkotlinx/coroutines/sync/SemaphoreSegment;->onCancellation(ILjava/lang/Throwable;Lkotlin/coroutines/CoroutineContext;)V PLkotlinx/datetime/Clock$System;->()V PLkotlinx/datetime/Clock$System;->()V PLkotlinx/datetime/Clock$System;->now()Lkotlinx/datetime/Instant; @@ -20113,7 +20059,7 @@ PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;)V PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;Lokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/Cache;->get$okhttp(Lokhttp3/Request;)Lokhttp3/Response; PLokhttp3/Cache;->getWriteSuccessCount$okhttp()I -PLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; +HPLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; PLokhttp3/Cache;->remove$okhttp(Lokhttp3/Request;)V PLokhttp3/Cache;->setWriteSuccessCount$okhttp(I)V PLokhttp3/Cache;->trackResponse$okhttp(Lokhttp3/internal/cache/CacheStrategy;)V @@ -20125,8 +20071,8 @@ PLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Headers;Lokhttp3/Headers;)Lokhttp3/Headers; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Response;)Lokhttp3/Headers; PLokhttp3/Cache$Entry;->()V -PLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V -PLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V +HPLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V +HPLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V HPLokhttp3/Cache$Entry;->writeTo(Lokhttp3/internal/cache/DiskLruCache$Editor;)V PLokhttp3/Cache$Entry$Companion;->()V PLokhttp3/Cache$Entry$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -20251,9 +20197,7 @@ PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->cacheMiss(Lokhttp3/Call;)V PLokhttp3/EventListener;->callEnd(Lokhttp3/Call;)V -PLokhttp3/EventListener;->callFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->callStart(Lokhttp3/Call;)V -PLokhttp3/EventListener;->canceled(Lokhttp3/Call;)V PLokhttp3/EventListener;->connectEnd(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;Lokhttp3/Protocol;)V PLokhttp3/EventListener;->connectStart(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;)V PLokhttp3/EventListener;->connectionAcquired(Lokhttp3/Call;Lokhttp3/Connection;)V @@ -20268,7 +20212,6 @@ PLokhttp3/EventListener;->requestHeadersEnd(Lokhttp3/Call;Lokhttp3/Request;)V PLokhttp3/EventListener;->requestHeadersStart(Lokhttp3/Call;)V PLokhttp3/EventListener;->responseBodyEnd(Lokhttp3/Call;J)V PLokhttp3/EventListener;->responseBodyStart(Lokhttp3/Call;)V -PLokhttp3/EventListener;->responseFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->responseHeadersEnd(Lokhttp3/Call;Lokhttp3/Response;)V PLokhttp3/EventListener;->responseHeadersStart(Lokhttp3/Call;)V PLokhttp3/EventListener;->secureConnectEnd(Lokhttp3/Call;Lokhttp3/Handshake;)V @@ -20309,11 +20252,11 @@ Lokhttp3/Headers; HSPLokhttp3/Headers;->()V HPLokhttp3/Headers;->([Ljava/lang/String;)V HPLokhttp3/Headers;->get(Ljava/lang/String;)Ljava/lang/String; -PLokhttp3/Headers;->getNamesAndValues$okhttp()[Ljava/lang/String; +HPLokhttp3/Headers;->getNamesAndValues$okhttp()[Ljava/lang/String; PLokhttp3/Headers;->name(I)Ljava/lang/String; PLokhttp3/Headers;->newBuilder()Lokhttp3/Headers$Builder; PLokhttp3/Headers;->size()I -PLokhttp3/Headers;->toMultimap()Ljava/util/Map; +HPLokhttp3/Headers;->toMultimap()Ljava/util/Map; PLokhttp3/Headers;->value(I)Ljava/lang/String; HPLokhttp3/Headers$Builder;->()V PLokhttp3/Headers$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; @@ -20687,7 +20630,7 @@ HPLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lo PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaTypeOrNull(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToString(Lokhttp3/MediaType;)Ljava/lang/String; Lokhttp3/internal/_NormalizeJvmKt; -HPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; +HSPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; Lokhttp3/internal/_RequestBodyCommonKt; PLokhttp3/internal/_RequestBodyCommonKt;->commonIsDuplex(Lokhttp3/RequestBody;)Z HSPLokhttp3/internal/_RequestBodyCommonKt;->commonToRequestBody([BLokhttp3/MediaType;II)Lokhttp3/RequestBody; @@ -20711,18 +20654,18 @@ PLokhttp3/internal/_ResponseCommonKt;->checkSupportResponse(Ljava/lang/String;Lo PLokhttp3/internal/_ResponseCommonKt;->commonBody(Lokhttp3/Response$Builder;Lokhttp3/ResponseBody;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonCacheResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonCode(Lokhttp3/Response$Builder;I)Lokhttp3/Response$Builder; -PLokhttp3/internal/_ResponseCommonKt;->commonHeader(Lokhttp3/Response;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_ResponseCommonKt;->commonHeader(Lokhttp3/Response;Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_ResponseCommonKt;->commonHeaders(Lokhttp3/Response$Builder;Lokhttp3/Headers;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonMessage(Lokhttp3/Response$Builder;Ljava/lang/String;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonNetworkResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; -PLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; +HPLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonPriorResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonProtocol(Lokhttp3/Response$Builder;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonRequest(Lokhttp3/Response$Builder;Lokhttp3/Request;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonTrailers(Lokhttp3/Response$Builder;Lkotlin/jvm/functions/Function0;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->getCommonCacheControl(Lokhttp3/Response;)Lokhttp3/CacheControl; PLokhttp3/internal/_ResponseCommonKt;->getCommonIsRedirect(Lokhttp3/Response;)Z -PLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z +HPLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->stripBody(Lokhttp3/Response;)Lokhttp3/Response; Lokhttp3/internal/_UtilCommonKt; HSPLokhttp3/internal/_UtilCommonKt;->()V @@ -20796,7 +20739,7 @@ PLokhttp3/internal/cache/DiskLruCache;->(Lokio/FileSystem;Lokio/Path;IIJLo PLokhttp3/internal/cache/DiskLruCache;->checkNotClosed()V HPLokhttp3/internal/cache/DiskLruCache;->completeEdit$okhttp(Lokhttp3/internal/cache/DiskLruCache$Editor;Z)V PLokhttp3/internal/cache/DiskLruCache;->edit$default(Lokhttp3/internal/cache/DiskLruCache;Ljava/lang/String;JILjava/lang/Object;)Lokhttp3/internal/cache/DiskLruCache$Editor; -PLokhttp3/internal/cache/DiskLruCache;->edit(Ljava/lang/String;J)Lokhttp3/internal/cache/DiskLruCache$Editor; +HPLokhttp3/internal/cache/DiskLruCache;->edit(Ljava/lang/String;J)Lokhttp3/internal/cache/DiskLruCache$Editor; PLokhttp3/internal/cache/DiskLruCache;->get(Ljava/lang/String;)Lokhttp3/internal/cache/DiskLruCache$Snapshot; PLokhttp3/internal/cache/DiskLruCache;->getDirectory()Lokio/Path; PLokhttp3/internal/cache/DiskLruCache;->getFileSystem$okhttp()Lokio/FileSystem; @@ -20834,7 +20777,7 @@ PLokhttp3/internal/cache/DiskLruCache$newJournalWriter$faultHidingSink$1;->(Lokio/Sink;Lkotlin/jvm/functions/Function1;)V PLokhttp3/internal/cache/FaultHidingSink;->close()V PLokhttp3/internal/cache/FaultHidingSink;->flush()V -PLokhttp3/internal/cache/FaultHidingSink;->write(Lokio/Buffer;J)V +HPLokhttp3/internal/cache/FaultHidingSink;->write(Lokio/Buffer;J)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;Z)V PLokhttp3/internal/concurrent/Task;->(Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/concurrent/Task;->getName()Ljava/lang/String; @@ -20881,7 +20824,7 @@ PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->decorate(Ljava/util/concu PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->execute(Lokhttp3/internal/concurrent/TaskRunner;Ljava/lang/Runnable;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->nanoTime()J PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->(Lokhttp3/internal/concurrent/TaskRunner;)V -PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V +HPLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; @@ -20909,22 +20852,18 @@ PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava PLokhttp3/internal/connection/ConnectPlan$connectTls$handshake$1;->invoke()Ljava/util/List; PLokhttp3/internal/connection/Exchange;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/EventListener;Lokhttp3/internal/connection/ExchangeFinder;Lokhttp3/internal/http/ExchangeCodec;)V PLokhttp3/internal/connection/Exchange;->bodyComplete(JZZLjava/io/IOException;)Ljava/io/IOException; -PLokhttp3/internal/connection/Exchange;->cancel()V PLokhttp3/internal/connection/Exchange;->createRequestBody(Lokhttp3/Request;Z)Lokio/Sink; -PLokhttp3/internal/connection/Exchange;->detachWithViolence()V PLokhttp3/internal/connection/Exchange;->finishRequest()V PLokhttp3/internal/connection/Exchange;->getCall$okhttp()Lokhttp3/internal/connection/RealCall; PLokhttp3/internal/connection/Exchange;->getConnection$okhttp()Lokhttp3/internal/connection/RealConnection; PLokhttp3/internal/connection/Exchange;->getEventListener$okhttp()Lokhttp3/EventListener; PLokhttp3/internal/connection/Exchange;->getFinder$okhttp()Lokhttp3/internal/connection/ExchangeFinder; -PLokhttp3/internal/connection/Exchange;->getHasFailure$okhttp()Z PLokhttp3/internal/connection/Exchange;->isDuplex$okhttp()Z PLokhttp3/internal/connection/Exchange;->noRequestBody()V PLokhttp3/internal/connection/Exchange;->openResponseBody(Lokhttp3/Response;)Lokhttp3/ResponseBody; PLokhttp3/internal/connection/Exchange;->readResponseHeaders(Z)Lokhttp3/Response$Builder; PLokhttp3/internal/connection/Exchange;->responseHeadersEnd(Lokhttp3/Response;)V PLokhttp3/internal/connection/Exchange;->responseHeadersStart()V -PLokhttp3/internal/connection/Exchange;->trackFailure(Ljava/io/IOException;)V PLokhttp3/internal/connection/Exchange;->writeRequestHeaders(Lokhttp3/Request;)V PLokhttp3/internal/connection/Exchange$RequestBodySink;->(Lokhttp3/internal/connection/Exchange;Lokio/Sink;J)V PLokhttp3/internal/connection/Exchange$RequestBodySink;->close()V @@ -20950,7 +20889,6 @@ PLokhttp3/internal/connection/RealCall;->access$getTimeout$p(Lokhttp3/internal/c PLokhttp3/internal/connection/RealCall;->acquireConnectionNoEvents(Lokhttp3/internal/connection/RealConnection;)V PLokhttp3/internal/connection/RealCall;->callDone(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->callStart()V -PLokhttp3/internal/connection/RealCall;->cancel()V HPLokhttp3/internal/connection/RealCall;->createAddress(Lokhttp3/HttpUrl;)Lokhttp3/Address; PLokhttp3/internal/connection/RealCall;->enqueue(Lokhttp3/Callback;)V HPLokhttp3/internal/connection/RealCall;->enterNetworkInterceptorExchange(Lokhttp3/Request;ZLokhttp3/internal/http/RealInterceptorChain;)V @@ -20969,7 +20907,6 @@ HPLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/c PLokhttp3/internal/connection/RealCall;->noMoreExchanges$okhttp(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->redactedUrl$okhttp()Ljava/lang/String; PLokhttp3/internal/connection/RealCall;->releaseConnectionNoEvents$okhttp()Ljava/net/Socket; -PLokhttp3/internal/connection/RealCall;->retryAfterFailure()Z PLokhttp3/internal/connection/RealCall;->timeoutExit(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall$AsyncCall;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/Callback;)V PLokhttp3/internal/connection/RealCall$AsyncCall;->executeOn(Ljava/util/concurrent/ExecutorService;)V @@ -20987,7 +20924,6 @@ PLokhttp3/internal/connection/RealConnection;->getConnectionListener$okhttp()Lok PLokhttp3/internal/connection/RealConnection;->getIdleAtNs()J PLokhttp3/internal/connection/RealConnection;->getNoNewExchanges()Z PLokhttp3/internal/connection/RealConnection;->getRoute()Lokhttp3/Route; -PLokhttp3/internal/connection/RealConnection;->getRouteFailureCount$okhttp()I PLokhttp3/internal/connection/RealConnection;->handshake()Lokhttp3/Handshake; PLokhttp3/internal/connection/RealConnection;->incrementSuccessCount$okhttp()V HPLokhttp3/internal/connection/RealConnection;->isEligible$okhttp(Lokhttp3/Address;Ljava/util/List;)Z @@ -21000,7 +20936,6 @@ PLokhttp3/internal/connection/RealConnection;->routeMatchesAny(Ljava/util/List;) PLokhttp3/internal/connection/RealConnection;->setIdleAtNs(J)V PLokhttp3/internal/connection/RealConnection;->start()V PLokhttp3/internal/connection/RealConnection;->startHttp2()V -PLokhttp3/internal/connection/RealConnection;->trackFailure(Lokhttp3/internal/connection/RealCall;Ljava/io/IOException;)V PLokhttp3/internal/connection/RealConnection$Companion;->()V PLokhttp3/internal/connection/RealConnection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/connection/RealConnectionPool;->()V @@ -21026,7 +20961,6 @@ PLokhttp3/internal/connection/RealRoutePlanner;->planConnectToRoute$okhttp(Lokht PLokhttp3/internal/connection/RealRoutePlanner;->planReuseCallConnection()Lokhttp3/internal/connection/ReusePlan; PLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp$default(Lokhttp3/internal/connection/RealRoutePlanner;Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;ILjava/lang/Object;)Lokhttp3/internal/connection/ReusePlan; HPLokhttp3/internal/connection/RealRoutePlanner;->planReusePooledConnection$okhttp(Lokhttp3/internal/connection/ConnectPlan;Ljava/util/List;)Lokhttp3/internal/connection/ReusePlan; -PLokhttp3/internal/connection/RealRoutePlanner;->retryRoute(Lokhttp3/internal/connection/RealConnection;)Lokhttp3/Route; PLokhttp3/internal/connection/RealRoutePlanner;->sameHostAndPort(Lokhttp3/HttpUrl;)Z PLokhttp3/internal/connection/ReusePlan;->(Lokhttp3/internal/connection/RealConnection;)V PLokhttp3/internal/connection/ReusePlan;->getConnection()Lokhttp3/internal/connection/RealConnection; @@ -21093,9 +21027,6 @@ PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->(Lokhttp3/OkHttpClient;)V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->followUpRequest(Lokhttp3/Response;Lokhttp3/internal/connection/Exchange;)Lokhttp3/Request; PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->isRecoverable(Ljava/io/IOException;Z)Z -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->recover(Ljava/io/IOException;Lokhttp3/internal/connection/RealCall;Lokhttp3/Request;Z)Z -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->requestIsOneShot(Ljava/io/IOException;Lokhttp3/Request;)Z PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine;->()V @@ -21103,7 +21034,7 @@ PLokhttp3/internal/http/StatusLine;->(Lokhttp3/Protocol;ILjava/lang/String PLokhttp3/internal/http/StatusLine;->toString()Ljava/lang/String; PLokhttp3/internal/http/StatusLine$Companion;->()V PLokhttp3/internal/http/StatusLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; +HPLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; PLokhttp3/internal/http2/ErrorCode;->$values()[Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/ErrorCode;->()V PLokhttp3/internal/http2/ErrorCode;->(Ljava/lang/String;II)V @@ -21137,7 +21068,7 @@ PLokhttp3/internal/http2/Hpack$Reader;->insertIntoDynamicTable(ILokhttp3/interna PLokhttp3/internal/http2/Hpack$Reader;->isStaticHeader(I)Z PLokhttp3/internal/http2/Hpack$Reader;->readByte()I HPLokhttp3/internal/http2/Hpack$Reader;->readByteString()Lokio/ByteString; -PLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V +HPLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V PLokhttp3/internal/http2/Hpack$Reader;->readIndexedHeader(I)V PLokhttp3/internal/http2/Hpack$Reader;->readInt(II)I PLokhttp3/internal/http2/Hpack$Reader;->readLiteralHeaderWithIncrementalIndexingIndexedName(I)V @@ -21146,7 +21077,7 @@ PLokhttp3/internal/http2/Hpack$Writer;->(IZLokio/Buffer;)V PLokhttp3/internal/http2/Hpack$Writer;->(IZLokio/Buffer;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http2/Hpack$Writer;->evictToRecoverBytes(I)I PLokhttp3/internal/http2/Hpack$Writer;->insertIntoDynamicTable(Lokhttp3/internal/http2/Header;)V -PLokhttp3/internal/http2/Hpack$Writer;->writeByteString(Lokio/ByteString;)V +HPLokhttp3/internal/http2/Hpack$Writer;->writeByteString(Lokio/ByteString;)V HPLokhttp3/internal/http2/Hpack$Writer;->writeHeaders(Ljava/util/List;)V PLokhttp3/internal/http2/Hpack$Writer;->writeInt(III)V PLokhttp3/internal/http2/Http2;->()V @@ -21156,16 +21087,13 @@ HPLokhttp3/internal/http2/Http2Connection;->(Lokhttp3/internal/http2/Http2 PLokhttp3/internal/http2/Http2Connection;->access$getDEFAULT_SETTINGS$cp()Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Http2Connection;->access$getSettingsListenerQueue$p(Lokhttp3/internal/http2/Http2Connection;)Lokhttp3/internal/concurrent/TaskQueue; PLokhttp3/internal/http2/Http2Connection;->access$getWriterQueue$p(Lokhttp3/internal/http2/Http2Connection;)Lokhttp3/internal/concurrent/TaskQueue; -PLokhttp3/internal/http2/Http2Connection;->access$isShutdown$p(Lokhttp3/internal/http2/Http2Connection;)Z PLokhttp3/internal/http2/Http2Connection;->access$setWriteBytesMaximum$p(Lokhttp3/internal/http2/Http2Connection;J)V PLokhttp3/internal/http2/Http2Connection;->close$okhttp(Lokhttp3/internal/http2/ErrorCode;Lokhttp3/internal/http2/ErrorCode;Ljava/io/IOException;)V PLokhttp3/internal/http2/Http2Connection;->flush()V PLokhttp3/internal/http2/Http2Connection;->getClient$okhttp()Z PLokhttp3/internal/http2/Http2Connection;->getConnectionName$okhttp()Ljava/lang/String; PLokhttp3/internal/http2/Http2Connection;->getFlowControlListener$okhttp()Lokhttp3/internal/http2/FlowControlListener; -PLokhttp3/internal/http2/Http2Connection;->getLastGoodStreamId$okhttp()I PLokhttp3/internal/http2/Http2Connection;->getListener$okhttp()Lokhttp3/internal/http2/Http2Connection$Listener; -PLokhttp3/internal/http2/Http2Connection;->getNextStreamId$okhttp()I PLokhttp3/internal/http2/Http2Connection;->getOkHttpSettings()Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Http2Connection;->getPeerSettings()Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Http2Connection;->getStream(I)Lokhttp3/internal/http2/Http2Stream; @@ -21183,8 +21111,6 @@ PLokhttp3/internal/http2/Http2Connection;->start$default(Lokhttp3/internal/http2 PLokhttp3/internal/http2/Http2Connection;->start(Z)V HPLokhttp3/internal/http2/Http2Connection;->updateConnectionFlowControl$okhttp(J)V PLokhttp3/internal/http2/Http2Connection;->writeData(IZLokio/Buffer;J)V -PLokhttp3/internal/http2/Http2Connection;->writeSynReset$okhttp(ILokhttp3/internal/http2/ErrorCode;)V -PLokhttp3/internal/http2/Http2Connection;->writeSynResetLater$okhttp(ILokhttp3/internal/http2/ErrorCode;)V PLokhttp3/internal/http2/Http2Connection$Builder;->(ZLokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/internal/http2/Http2Connection$Builder;->build()Lokhttp3/internal/http2/Http2Connection; PLokhttp3/internal/http2/Http2Connection$Builder;->flowControlListener(Lokhttp3/internal/http2/FlowControlListener;)Lokhttp3/internal/http2/Http2Connection$Builder; @@ -21219,7 +21145,7 @@ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->applyAndAckSettings(ZL HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->data(ZILokio/BufferedSource;I)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->headers(ZIILjava/util/List;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()Ljava/lang/Object; -PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V +HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->settings(ZLokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->windowUpdate(IJ)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$applyAndAckSettings$1$1$2;->(Lokhttp3/internal/http2/Http2Connection;Lkotlin/jvm/internal/Ref$ObjectRef;)V @@ -21228,14 +21154,10 @@ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$applyAndAckSettings$1$1$ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$settings$1;->(Lokhttp3/internal/http2/Http2Connection$ReaderRunnable;ZLokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$settings$1;->invoke()Ljava/lang/Object; PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$settings$1;->invoke()V -PLokhttp3/internal/http2/Http2Connection$writeSynResetLater$1;->(Lokhttp3/internal/http2/Http2Connection;ILokhttp3/internal/http2/ErrorCode;)V -PLokhttp3/internal/http2/Http2Connection$writeSynResetLater$1;->invoke()Ljava/lang/Object; -PLokhttp3/internal/http2/Http2Connection$writeSynResetLater$1;->invoke()V PLokhttp3/internal/http2/Http2ExchangeCodec;->()V PLokhttp3/internal/http2/Http2ExchangeCodec;->(Lokhttp3/OkHttpClient;Lokhttp3/internal/http/ExchangeCodec$Carrier;Lokhttp3/internal/http/RealInterceptorChain;Lokhttp3/internal/http2/Http2Connection;)V PLokhttp3/internal/http2/Http2ExchangeCodec;->access$getHTTP_2_SKIPPED_REQUEST_HEADERS$cp()Ljava/util/List; PLokhttp3/internal/http2/Http2ExchangeCodec;->access$getHTTP_2_SKIPPED_RESPONSE_HEADERS$cp()Ljava/util/List; -PLokhttp3/internal/http2/Http2ExchangeCodec;->cancel()V PLokhttp3/internal/http2/Http2ExchangeCodec;->createRequestBody(Lokhttp3/Request;J)Lokio/Sink; PLokhttp3/internal/http2/Http2ExchangeCodec;->finishRequest()V PLokhttp3/internal/http2/Http2ExchangeCodec;->getCarrier()Lokhttp3/internal/http/ExchangeCodec$Carrier; @@ -21276,9 +21198,7 @@ PLokhttp3/internal/http2/Http2Stream;->access$doReadTimeout(Lokhttp3/internal/ht PLokhttp3/internal/http2/Http2Stream;->addBytesToWriteWindow(J)V PLokhttp3/internal/http2/Http2Stream;->cancelStreamIfNecessary$okhttp()V PLokhttp3/internal/http2/Http2Stream;->checkOutNotClosed$okhttp()V -PLokhttp3/internal/http2/Http2Stream;->closeInternal(Lokhttp3/internal/http2/ErrorCode;Ljava/io/IOException;)Z -PLokhttp3/internal/http2/Http2Stream;->closeLater(Lokhttp3/internal/http2/ErrorCode;)V -PLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z +HPLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z PLokhttp3/internal/http2/Http2Stream;->getConnection()Lokhttp3/internal/http2/Http2Connection; PLokhttp3/internal/http2/Http2Stream;->getErrorCode$okhttp()Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/Http2Stream;->getId()I @@ -21293,7 +21213,7 @@ PLokhttp3/internal/http2/Http2Stream;->getWriteTimeout$okhttp()Lokhttp3/internal PLokhttp3/internal/http2/Http2Stream;->isLocallyInitiated()Z HPLokhttp3/internal/http2/Http2Stream;->isOpen()Z PLokhttp3/internal/http2/Http2Stream;->readTimeout()Lokio/Timeout; -PLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V +HPLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V HPLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V PLokhttp3/internal/http2/Http2Stream;->setWriteBytesTotal$okhttp(J)V PLokhttp3/internal/http2/Http2Stream;->takeHeaders(Z)Lokhttp3/Headers; @@ -21330,7 +21250,6 @@ HPLokhttp3/internal/http2/Http2Writer;->frameHeader(IIII)V PLokhttp3/internal/http2/Http2Writer;->goAway(ILokhttp3/internal/http2/ErrorCode;[B)V PLokhttp3/internal/http2/Http2Writer;->headers(ZILjava/util/List;)V PLokhttp3/internal/http2/Http2Writer;->maxDataLength()I -PLokhttp3/internal/http2/Http2Writer;->rstStream(ILokhttp3/internal/http2/ErrorCode;)V PLokhttp3/internal/http2/Http2Writer;->settings(Lokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Writer;->windowUpdate(IJ)V PLokhttp3/internal/http2/Http2Writer$Companion;->()V @@ -21338,7 +21257,6 @@ PLokhttp3/internal/http2/Http2Writer$Companion;->(Lkotlin/jvm/internal/Def PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->addCode(III)V -HPLokhttp3/internal/http2/Huffman;->decode(Lokio/BufferedSource;JLokio/BufferedSink;)V HPLokhttp3/internal/http2/Huffman;->encode(Lokio/ByteString;Lokio/BufferedSink;)V PLokhttp3/internal/http2/Huffman;->encodedLength(Lokio/ByteString;)I PLokhttp3/internal/http2/Huffman$Node;->()V @@ -21354,7 +21272,7 @@ PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->get(I)I PLokhttp3/internal/http2/Settings;->getHeaderTableSize()I -PLokhttp3/internal/http2/Settings;->getInitialWindowSize()I +HPLokhttp3/internal/http2/Settings;->getInitialWindowSize()I PLokhttp3/internal/http2/Settings;->getMaxConcurrentStreams()I PLokhttp3/internal/http2/Settings;->getMaxFrameSize(I)I PLokhttp3/internal/http2/Settings;->isSet(I)Z @@ -21363,14 +21281,13 @@ PLokhttp3/internal/http2/Settings;->set(II)Lokhttp3/internal/http2/Settings; PLokhttp3/internal/http2/Settings;->size()I PLokhttp3/internal/http2/Settings$Companion;->()V PLokhttp3/internal/http2/Settings$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -PLokhttp3/internal/http2/StreamResetException;->(Lokhttp3/internal/http2/ErrorCode;)V PLokhttp3/internal/http2/flowcontrol/WindowCounter;->(I)V PLokhttp3/internal/http2/flowcontrol/WindowCounter;->getUnacknowledged()J PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update$default(Lokhttp3/internal/http2/flowcontrol/WindowCounter;JJILjava/lang/Object;)V HPLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V Lokhttp3/internal/idn/IdnaMappingTable; HSPLokhttp3/internal/idn/IdnaMappingTable;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V -HPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I +HSPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I HPLokhttp3/internal/idn/IdnaMappingTable;->findSectionsIndex(I)I HPLokhttp3/internal/idn/IdnaMappingTable;->map(ILokio/BufferedSink;)Z Lokhttp3/internal/idn/IdnaMappingTableInstanceKt; @@ -21543,37 +21460,31 @@ HPLokio/AsyncTimeout$source$1;->read(Lokio/Buffer;J)J Lokio/Buffer; HPLokio/Buffer;->()V PLokio/Buffer;->clear()V +HPLokio/Buffer;->completeSegmentByteCount()J HPLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; HPLokio/Buffer;->exhausted()Z -HPLokio/Buffer;->getByte(J)B HPLokio/Buffer;->indexOf(BJJ)J PLokio/Buffer;->indexOfElement(Lokio/ByteString;)J -HPLokio/Buffer;->indexOfElement(Lokio/ByteString;J)J HPLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z -PLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z +HPLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z HPLokio/Buffer;->read(Ljava/nio/ByteBuffer;)I HPLokio/Buffer;->read(Lokio/Buffer;J)J HPLokio/Buffer;->read([BII)I -HPLokio/Buffer;->readByte()B HPLokio/Buffer;->readByteArray(J)[B -PLokio/Buffer;->readByteString()Lokio/ByteString; +HPLokio/Buffer;->readByteString()Lokio/ByteString; HPLokio/Buffer;->readByteString(J)Lokio/ByteString; HPLokio/Buffer;->readFully([B)V HPLokio/Buffer;->readInt()I PLokio/Buffer;->readIntLe()I PLokio/Buffer;->readShort()S -HPLokio/Buffer;->readString(JLjava/nio/charset/Charset;)Ljava/lang/String; HSPLokio/Buffer;->readUtf8()Ljava/lang/String; HPLokio/Buffer;->readUtf8(J)Ljava/lang/String; HSPLokio/Buffer;->readUtf8CodePoint()I HPLokio/Buffer;->setSize$okio(J)V HPLokio/Buffer;->size()J -HPLokio/Buffer;->skip(J)V HPLokio/Buffer;->writableSegment$okio(I)Lokio/Segment; -HPLokio/Buffer;->write(Lokio/Buffer;J)V HPLokio/Buffer;->write(Lokio/ByteString;)Lokio/Buffer; HSPLokio/Buffer;->write([B)Lokio/Buffer; -HPLokio/Buffer;->write([BII)Lokio/Buffer; HSPLokio/Buffer;->writeAll(Lokio/Source;)J HPLokio/Buffer;->writeByte(I)Lokio/Buffer; HPLokio/Buffer;->writeByte(I)Lokio/BufferedSink; @@ -21581,9 +21492,8 @@ HPLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; HPLokio/Buffer;->writeInt(I)Lokio/Buffer; PLokio/Buffer;->writeShort(I)Lokio/Buffer; HPLokio/Buffer;->writeUtf8(Ljava/lang/String;)Lokio/Buffer; -HPLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/Buffer; PLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/BufferedSink; -HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; +HPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/BufferedSink; Lokio/Buffer$UnsafeCursor; HSPLokio/Buffer$UnsafeCursor;->()V @@ -21598,7 +21508,7 @@ HSPLokio/ByteString;->compareTo(Lokio/ByteString;)I PLokio/ByteString;->decodeHex(Ljava/lang/String;)Lokio/ByteString; HPLokio/ByteString;->digest$okio(Ljava/lang/String;)Lokio/ByteString; PLokio/ByteString;->encodeUtf8(Ljava/lang/String;)Lokio/ByteString; -PLokio/ByteString;->endsWith(Lokio/ByteString;)Z +HPLokio/ByteString;->endsWith(Lokio/ByteString;)Z HPLokio/ByteString;->equals(Ljava/lang/Object;)Z HPLokio/ByteString;->getByte(I)B HPLokio/ByteString;->getData$okio()[B @@ -21616,10 +21526,10 @@ PLokio/ByteString;->lastIndexOf$default(Lokio/ByteString;Lokio/ByteString;IILjav PLokio/ByteString;->lastIndexOf(Lokio/ByteString;I)I HPLokio/ByteString;->lastIndexOf([BI)I PLokio/ByteString;->md5()Lokio/ByteString; -HSPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z +HPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z HPLokio/ByteString;->rangeEquals(I[BII)Z PLokio/ByteString;->setHashCode$okio(I)V -HSPLokio/ByteString;->setUtf8$okio(Ljava/lang/String;)V +HPLokio/ByteString;->setUtf8$okio(Ljava/lang/String;)V PLokio/ByteString;->sha256()Lokio/ByteString; HPLokio/ByteString;->size()I HSPLokio/ByteString;->startsWith(Lokio/ByteString;)Z @@ -21660,7 +21570,7 @@ PLokio/FileSystem;->createDirectories(Lokio/Path;)V PLokio/FileSystem;->createDirectories(Lokio/Path;Z)V PLokio/FileSystem;->createDirectory(Lokio/Path;)V PLokio/FileSystem;->delete(Lokio/Path;)V -PLokio/FileSystem;->exists(Lokio/Path;)Z +HPLokio/FileSystem;->exists(Lokio/Path;)Z PLokio/FileSystem;->metadata(Lokio/Path;)Lokio/FileMetadata; PLokio/FileSystem;->openReadWrite(Lokio/Path;)Lokio/FileHandle; PLokio/FileSystem;->sink(Lokio/Path;)Lokio/Sink; @@ -21668,16 +21578,16 @@ PLokio/FileSystem$Companion;->()V PLokio/FileSystem$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokio/ForwardingFileSystem;->(Lokio/FileSystem;)V PLokio/ForwardingFileSystem;->appendingSink(Lokio/Path;Z)Lokio/Sink; -PLokio/ForwardingFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V +HPLokio/ForwardingFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V PLokio/ForwardingFileSystem;->createDirectory(Lokio/Path;Z)V PLokio/ForwardingFileSystem;->delete(Lokio/Path;Z)V HPLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/ForwardingFileSystem;->onPathParameter(Lokio/Path;Ljava/lang/String;Ljava/lang/String;)Lokio/Path; -PLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; +HPLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingSink;->(Lokio/Sink;)V PLokio/ForwardingSink;->close()V PLokio/ForwardingSink;->flush()V -PLokio/ForwardingSink;->write(Lokio/Buffer;J)V +HPLokio/ForwardingSink;->write(Lokio/Buffer;J)V PLokio/ForwardingSource;->(Lokio/Source;)V PLokio/ForwardingSource;->close()V PLokio/ForwardingSource;->delegate()Lokio/Source; @@ -21710,7 +21620,7 @@ PLokio/JvmSystemFileSystem;->openReadWrite(Lokio/Path;ZZ)Lokio/FileHandle; PLokio/JvmSystemFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/JvmSystemFileSystem;->source(Lokio/Path;)Lokio/Source; PLokio/NioSystemFileSystem;->()V -PLokio/NioSystemFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V +HPLokio/NioSystemFileSystem;->atomicMove(Lokio/Path;Lokio/Path;)V HPLokio/NioSystemFileSystem;->metadataOrNull(Ljava/nio/file/Path;)Lokio/FileMetadata; HPLokio/NioSystemFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/NioSystemFileSystem;->zeroToNull(Ljava/nio/file/attribute/FileTime;)Ljava/lang/Long; @@ -21724,19 +21634,19 @@ PLokio/Okio;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio;->source(Ljava/net/Socket;)Lokio/Source; PLokio/Okio__JvmOkioKt;->()V PLokio/Okio__JvmOkioKt;->sink$default(Ljava/io/File;ZILjava/lang/Object;)Lokio/Sink; -PLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; -PLokio/Okio__JvmOkioKt;->sink(Ljava/io/OutputStream;)Lokio/Sink; +HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; +HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/OutputStream;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->sink(Ljava/net/Socket;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio__JvmOkioKt;->source(Ljava/net/Socket;)Lokio/Source; -PLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; -PLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; +HPLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; +HPLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; Lokio/Options; HSPLokio/Options;->()V HSPLokio/Options;->([Lokio/ByteString;[I)V HSPLokio/Options;->([Lokio/ByteString;[ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLokio/Options;->getByteStrings$okio()[Lokio/ByteString; -PLokio/Options;->getTrie$okio()[I +HPLokio/Options;->getTrie$okio()[I PLokio/Options;->of([Lokio/ByteString;)Lokio/Options; Lokio/Options$Companion; HSPLokio/Options$Companion;->()V @@ -21751,7 +21661,7 @@ PLokio/OutputStreamSink;->flush()V HPLokio/OutputStreamSink;->write(Lokio/Buffer;J)V PLokio/Path;->()V HPLokio/Path;->(Lokio/ByteString;)V -PLokio/Path;->getBytes$okio()Lokio/ByteString; +HPLokio/Path;->getBytes$okio()Lokio/ByteString; PLokio/Path;->isAbsolute()Z PLokio/Path;->name()Ljava/lang/String; PLokio/Path;->nameBytes()Lokio/ByteString; @@ -21760,9 +21670,9 @@ HPLokio/Path;->parent()Lokio/Path; PLokio/Path;->resolve$default(Lokio/Path;Ljava/lang/String;ZILjava/lang/Object;)Lokio/Path; HPLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; PLokio/Path;->resolve(Ljava/lang/String;Z)Lokio/Path; -PLokio/Path;->toFile()Ljava/io/File; +HPLokio/Path;->toFile()Ljava/io/File; HPLokio/Path;->toNioPath()Ljava/nio/file/Path; -PLokio/Path;->toString()Ljava/lang/String; +HPLokio/Path;->toString()Ljava/lang/String; HPLokio/Path;->volumeLetter()Ljava/lang/Character; PLokio/Path$Companion;->()V PLokio/Path$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -21779,10 +21689,9 @@ PLokio/RealBufferedSink;->outputStream()Ljava/io/OutputStream; PLokio/RealBufferedSink;->write(Lokio/Buffer;J)V PLokio/RealBufferedSink;->write(Lokio/ByteString;)Lokio/BufferedSink; HPLokio/RealBufferedSink;->writeByte(I)Lokio/BufferedSink; -PLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; +HPLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeInt(I)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeShort(I)Lokio/BufferedSink; -HPLokio/RealBufferedSink;->writeUtf8(Ljava/lang/String;)Lokio/BufferedSink; PLokio/RealBufferedSink$outputStream$1;->(Lokio/RealBufferedSink;)V PLokio/RealBufferedSink$outputStream$1;->write([BII)V HPLokio/RealBufferedSource;->(Lokio/Source;)V @@ -21803,9 +21712,10 @@ PLokio/RealBufferedSource;->readInt()I PLokio/RealBufferedSource;->readIntLe()I PLokio/RealBufferedSource;->readShort()S PLokio/RealBufferedSource;->readUtf8LineStrict()Ljava/lang/String; -HPLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; +PLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; HPLokio/RealBufferedSource;->request(J)Z HPLokio/RealBufferedSource;->require(J)V +HPLokio/RealBufferedSource;->select(Lokio/Options;)I PLokio/RealBufferedSource;->skip(J)V Lokio/Segment; HSPLokio/Segment;->()V @@ -21814,7 +21724,7 @@ HPLokio/Segment;->([BIIZZ)V HPLokio/Segment;->compact()V HPLokio/Segment;->pop()Lokio/Segment; HPLokio/Segment;->push(Lokio/Segment;)Lokio/Segment; -PLokio/Segment;->sharedCopy()Lokio/Segment; +HPLokio/Segment;->sharedCopy()Lokio/Segment; HPLokio/Segment;->split(I)Lokio/Segment; HPLokio/Segment;->writeTo(Lokio/Segment;I)V Lokio/Segment$Companion; @@ -21823,7 +21733,6 @@ HSPLokio/Segment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarke Lokio/SegmentPool; HSPLokio/SegmentPool;->()V HSPLokio/SegmentPool;->()V -HPLokio/SegmentPool;->firstRef()Ljava/util/concurrent/atomic/AtomicReference; HPLokio/SegmentPool;->recycle(Lokio/Segment;)V HPLokio/SegmentPool;->take()Lokio/Segment; Lokio/Sink; @@ -21868,7 +21777,7 @@ PLokio/internal/-Path;->access$rootLength(Lokio/Path;)I HPLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; PLokio/internal/-Path;->commonToPath(Ljava/lang/String;Z)Lokio/Path; PLokio/internal/-Path;->getIndexOfLastSlash(Lokio/Path;)I -PLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; +HPLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; PLokio/internal/-Path;->lastSegmentIsDotDot(Lokio/Path;)Z HPLokio/internal/-Path;->rootLength(Lokio/Path;)I PLokio/internal/-Path;->startsWithVolumeLetterAndColon(Lokio/Buffer;Lokio/ByteString;)Z From 242315889430091858f1e8d1bc4bd372c464e45e Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 12 Feb 2024 13:36:33 -0500 Subject: [PATCH 035/123] Prepare for release 0.19.1. --- CHANGELOG.md | 8 ++++++++ gradle.properties | 2 +- 2 files changed, 9 insertions(+), 1 deletion(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index bd9361aba..2c1a5db9a 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -3,6 +3,14 @@ Changelog **Unreleased** -------------- + +0.19.1 +------ + +_2024-02-12_ + +This is a small bug fix release focused `SaveableBackStack` consistency and `FakeNavigator` API improvements. + - Fix `FakeNavigator.awaitNextScreen()` not suspending. - Fix `FakeNavigator.resetRoot()` not returning the actual popped screens. - Make `Navigator.peekBackStack()` and `Navigator.resetRoot()` return `ImmutableList`. diff --git a/gradle.properties b/gradle.properties index 13cfead3f..239cfaeba 100644 --- a/gradle.properties +++ b/gradle.properties @@ -75,7 +75,7 @@ POM_DEVELOPER_ID=slackhq POM_DEVELOPER_NAME=Slack Technologies, Inc. POM_DEVELOPER_URL=https://github.com/slackhq POM_INCEPTION_YEAR=2022 -VERSION_NAME=0.20.0-SNAPSHOT +VERSION_NAME=0.19.1 circuit.mavenUrls.snapshots.sonatype=https://oss.sonatype.org/content/repositories/snapshots circuit.mavenUrls.snapshots.sonatypes01=https://s01.oss.sonatype.org/content/repositories/snapshots From 2d66716f4aca7f95ac5a3d72e21b51161c2ad86b Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 12 Feb 2024 13:48:26 -0500 Subject: [PATCH 036/123] Prepare next development version. --- gradle.properties | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle.properties b/gradle.properties index 239cfaeba..13cfead3f 100644 --- a/gradle.properties +++ b/gradle.properties @@ -75,7 +75,7 @@ POM_DEVELOPER_ID=slackhq POM_DEVELOPER_NAME=Slack Technologies, Inc. POM_DEVELOPER_URL=https://github.com/slackhq POM_INCEPTION_YEAR=2022 -VERSION_NAME=0.19.1 +VERSION_NAME=0.20.0-SNAPSHOT circuit.mavenUrls.snapshots.sonatype=https://oss.sonatype.org/content/repositories/snapshots circuit.mavenUrls.snapshots.sonatypes01=https://s01.oss.sonatype.org/content/repositories/snapshots From b0e85c5674607b2ade19a057e131a38baa4734ad Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 12 Feb 2024 18:24:41 -0500 Subject: [PATCH 037/123] Fixup navigation doc --- docs/navigation.md | 8 ++++---- 1 file changed, 4 insertions(+), 4 deletions(-) diff --git a/docs/navigation.md b/docs/navigation.md index 39fc66cbe..6f3d6013a 100644 --- a/docs/navigation.md +++ b/docs/navigation.md @@ -54,9 +54,9 @@ Result types must implement `PopResult` and are used to carry data back to the p The returned navigator should be used to navigate to the screen that will return the result. The target screen can then `pop` the result back to the previous screen and Circuit will automatically deliver this result to the previous screen's receiver. ```kotlin -var photoUrl by remember { mutableStateOf(null) } +var photoUri by remember { mutableStateOf(null) } val takePhotoNavigator = rememberAnsweringNavigator(navigator) { result -> - photoUrl = result.url + photoUri = result.uri } // Elsewhere @@ -65,13 +65,13 @@ takePhotoNavigator.goTo(TakePhotoScreen) // In TakePhotoScreen.kt data object TakePhotoScreen : Screen { @Parcelize - data class Result(val url: String) : PopResult + data class Result(val uri: String) : PopResult } class TakePhotoPresenter { @Composable fun present(): State { // ... - navigator.pop(result = TakePhotoScreen.Result(newFilters)) + navigator.pop(result = TakePhotoScreen.Result(photoUri)) } } ``` From caaf056292859770d002b009726afccab16df4d1 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 12 Feb 2024 23:43:33 -0500 Subject: [PATCH 038/123] Add maxConcurrentDevices property (#1206) This workaround from https://issuetracker.google.com/issues/287312019 was able to finally generate baseline profiles locally --- gradle.properties | 5 +++++ 1 file changed, 5 insertions(+) diff --git a/gradle.properties b/gradle.properties index 13cfead3f..08448b161 100644 --- a/gradle.properties +++ b/gradle.properties @@ -21,9 +21,14 @@ android.useAndroidX=true # Force use of the latest android lint version android.experimental.lint.version=8.3.0-alpha07 +# Helps make baseline profile generation more reliable +# https://issuetracker.google.com/issues/287312019 +android.experimental.testOptions.managedDevices.maxConcurrentDevices=1 + # Suppress warnings about experimental AGP properties we're using # Ironically, this property itself is also experimental, so we have to suppress it too. android.suppressUnsupportedOptionWarnings=android.suppressUnsupportedOptionWarnings,\ + android.experimental.testOptions.managedDevices.maxConcurrentDevices,\ android.experimental.testOptions.emulatorSnapshots.maxSnapshotsForTestFailures,\ android.experimental.lint.version From 2f4022688c5d86e1bd5b5496e2e778d036f0bb72 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 12 Feb 2024 23:54:07 -0500 Subject: [PATCH 039/123] Update lint to 8.4 alphas (#1207) --- gradle.properties | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle.properties b/gradle.properties index 08448b161..ba07c1dfc 100644 --- a/gradle.properties +++ b/gradle.properties @@ -19,7 +19,7 @@ org.gradle.jvmargs=-Xms1g -Xmx4g -Dfile.encoding=UTF-8 -XX:MaxMetaspaceSize=1g - android.useAndroidX=true # Force use of the latest android lint version -android.experimental.lint.version=8.3.0-alpha07 +android.experimental.lint.version=8.4.0-alpha09 # Helps make baseline profile generation more reliable # https://issuetracker.google.com/issues/287312019 From 3eb23db516c74b9d6b057fe5f29f313790a72792 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 16 Feb 2024 09:15:20 -0800 Subject: [PATCH 040/123] Update plugin emulatorWtf to v0.16.2 (#1211) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [wtf.emulator.gradle](https://emulator.wtf) ([source](https://togithub.com/emulator-wtf/gradle-plugin)) | plugin | patch | `0.16.1` -> `0.16.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
emulator-wtf/gradle-plugin (wtf.emulator.gradle) ### [`v0.16.2`](https://togithub.com/emulator-wtf/gradle-plugin/releases/tag/0.16.2) [Compare Source](https://togithub.com/emulator-wtf/gradle-plugin/compare/0.16.1...0.16.2) - Bumped underlying `ew-cli` version to 0.16.2
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index cd8e503d4..e336c1937 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -71,7 +71,7 @@ compose = { id = "org.jetbrains.compose", version.ref = "compose-jb" } dependencyGuard = { id = "com.dropbox.dependency-guard", version = "0.5.0" } detekt = { id = "io.gitlab.arturbosch.detekt", version.ref = "detekt" } dokka = { id = "org.jetbrains.dokka", version.ref = "dokka" } -emulatorWtf = { id = "wtf.emulator.gradle", version = "0.16.1" } +emulatorWtf = { id = "wtf.emulator.gradle", version = "0.16.2" } ## Here to trigger Renovate updates kotlin-android = { id = "org.jetbrains.kotlin.android", version.ref = "kotlin" } kotlin-atomicfu = { id = "org.jetbrains.kotlin.plugin.atomicfu", version.ref = "kotlin" } From bcd2f758d6758d01083272d49e11bdac065e2d71 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 16 Feb 2024 09:23:47 -0800 Subject: [PATCH 041/123] Update kotlinx.coroutines to v1.8.0 (#1212) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [org.jetbrains.kotlinx:kotlinx-coroutines-test](https://togithub.com/Kotlin/kotlinx.coroutines) | dependencies | minor | `1.7.3` -> `1.8.0` | | [org.jetbrains.kotlinx:kotlinx-coroutines-rx3](https://togithub.com/Kotlin/kotlinx.coroutines) | dependencies | minor | `1.7.3` -> `1.8.0` | | [org.jetbrains.kotlinx:kotlinx-coroutines-swing](https://togithub.com/Kotlin/kotlinx.coroutines) | dependencies | minor | `1.7.3` -> `1.8.0` | | [org.jetbrains.kotlinx:kotlinx-coroutines-android](https://togithub.com/Kotlin/kotlinx.coroutines) | dependencies | minor | `1.7.3` -> `1.8.0` | | [org.jetbrains.kotlinx:kotlinx-coroutines-core](https://togithub.com/Kotlin/kotlinx.coroutines) | dependencies | minor | `1.7.3` -> `1.8.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
Kotlin/kotlinx.coroutines (org.jetbrains.kotlinx:kotlinx-coroutines-test) ### [`v1.8.0`](https://togithub.com/Kotlin/kotlinx.coroutines/blob/HEAD/CHANGES.md#Version-180) [Compare Source](https://togithub.com/Kotlin/kotlinx.coroutines/compare/1.7.3...1.8.0) - Implement the library for the Web Assembly (Wasm) for JavaScript ([#​3713](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3713)). Thanks [@​igoriakovlev](https://togithub.com/igoriakovlev)! - Major Kotlin version update: was 1.8.20, became 1.9.21. - On Android, ensure that `Dispatchers.Main != Dispatchers.Main.immediate` ([#​3545](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3545), [#​3963](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3963)). - Fixed a bug that caused `Flow` operators that limit cancel the upstream flow to forget that they were already finished if there is another such operator upstream ([#​4035](https://togithub.com/Kotlin/kotlinx.coroutines/issues/4035), [#​4038](https://togithub.com/Kotlin/kotlinx.coroutines/issues/4038)) - `kotlinx-coroutines-debug` is published with the correct Java 9 module info ([#​3944](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3944)). - `kotlinx-coroutines-debug` no longer requires manually setting `DebugProbes.enableCoroutineCreationStackTraces` to `false`, it's the default ([#​3783](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3783)). - `kotlinx-coroutines-test`: set the default timeout of `runTest` to 60 seconds, added the ability to configure it on the JVM with the `kotlinx.coroutines.test.default_timeout=10s` ([#​3800](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3800)). - `kotlinx-coroutines-test`: fixed a bug that could lead to not all uncaught exceptions being reported after some tests failed ([#​3800](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3800)). - `delay(Duration)` rounds nanoseconds up to whole milliseconds and not down ([#​3920](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3920)). Thanks [@​kevincianfarini](https://togithub.com/kevincianfarini)! - `Dispatchers.Default` and the default thread for background work are guaranteed to use the same context classloader as the object containing it them ([#​3832](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3832)). - It is guaranteed that by the time `SharedFlow.collect` suspends for the first time, it's registered as a subscriber for that `SharedFlow` ([#​3885](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3885)). Before, it was also true, but not documented. - Atomicfu version is updated to 0.23.1, and Kotlin/Native atomic transformations are enabled, reducing the footprint of coroutine-heavy code ([#​3954](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3954)). - Added a workaround for miscompilation of `withLock` on JS ([#​3881](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3881)). Thanks [@​CLOVIS-AI](https://togithub.com/CLOVIS-AI)! - Small tweaks and documentation fixes. ##### Changelog relative to version 1.8.0-RC2 - `kotlinx-coroutines-debug` no longer requires manually setting `DebugProbes.enableCoroutineCreationStackTraces` to `false`, it's the default ([#​3783](https://togithub.com/Kotlin/kotlinx.coroutines/issues/3783)). - Fixed a bug that caused `Flow` operators that limit cancel the upstream flow to forget that they were already finished if there is another such operator upstream ([#​4035](https://togithub.com/Kotlin/kotlinx.coroutines/issues/4035), [#​4038](https://togithub.com/Kotlin/kotlinx.coroutines/issues/4038)) - Small documentation fixes.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- backstack/dependencies/androidReleaseRuntimeClasspath.txt | 2 -- .../dependencies/androidReleaseRuntimeClasspath.txt | 2 -- circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt | 2 -- .../dependencies/androidReleaseRuntimeClasspath.txt | 2 -- circuit-retained/dependencies/jvmRuntimeClasspath.txt | 2 -- .../dependencies/androidReleaseRuntimeClasspath.txt | 2 -- .../dependencies/androidReleaseRuntimeClasspath.txt | 2 -- circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt | 2 -- circuitx/android/dependencies/releaseRuntimeClasspath.txt | 2 -- .../effects/dependencies/androidReleaseRuntimeClasspath.txt | 2 -- .../dependencies/androidReleaseRuntimeClasspath.txt | 2 -- .../overlays/dependencies/androidReleaseRuntimeClasspath.txt | 2 -- gradle/libs.versions.toml | 2 +- 13 files changed, 1 insertion(+), 25 deletions(-) diff --git a/backstack/dependencies/androidReleaseRuntimeClasspath.txt b/backstack/dependencies/androidReleaseRuntimeClasspath.txt index e41b7c56f..ab9f0199c 100644 --- a/backstack/dependencies/androidReleaseRuntimeClasspath.txt +++ b/backstack/dependencies/androidReleaseRuntimeClasspath.txt @@ -53,8 +53,6 @@ org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt index 3373bb38d..1fabffe1c 100644 --- a/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-foundation/dependencies/androidReleaseRuntimeClasspath.txt @@ -64,8 +64,6 @@ org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt index 970777a45..8f52c5ab4 100644 --- a/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt @@ -55,8 +55,6 @@ com.google.guava:listenablefuture org.jetbrains.compose.foundation:foundation org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:kotlinx-coroutines-android org.jetbrains.kotlinx:kotlinx-coroutines-bom diff --git a/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt index 0a653330c..97c91d7ea 100644 --- a/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-retained/dependencies/androidReleaseRuntimeClasspath.txt @@ -50,8 +50,6 @@ androidx.versionedparcelable:versionedparcelable com.google.guava:listenablefuture org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:kotlinx-coroutines-android org.jetbrains.kotlinx:kotlinx-coroutines-bom diff --git a/circuit-retained/dependencies/jvmRuntimeClasspath.txt b/circuit-retained/dependencies/jvmRuntimeClasspath.txt index 48de250b7..1882b86f8 100644 --- a/circuit-retained/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-retained/dependencies/jvmRuntimeClasspath.txt @@ -1,8 +1,6 @@ org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt index e41b7c56f..ab9f0199c 100644 --- a/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt @@ -53,8 +53,6 @@ org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt index e41b7c56f..ab9f0199c 100644 --- a/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt @@ -53,8 +53,6 @@ org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt index e41b7c56f..ab9f0199c 100644 --- a/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt @@ -53,8 +53,6 @@ org.jetbrains.compose.runtime:runtime-saveable org.jetbrains.compose.runtime:runtime org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuitx/android/dependencies/releaseRuntimeClasspath.txt b/circuitx/android/dependencies/releaseRuntimeClasspath.txt index 0e7599a9e..c762e09f7 100644 --- a/circuitx/android/dependencies/releaseRuntimeClasspath.txt +++ b/circuitx/android/dependencies/releaseRuntimeClasspath.txt @@ -55,8 +55,6 @@ org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-android-extensions-runtime org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-parcelize-runtime -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt index 0d5ef9932..5bc109787 100644 --- a/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/effects/dependencies/androidReleaseRuntimeClasspath.txt @@ -66,8 +66,6 @@ org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-android-extensions-runtime org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-parcelize-runtime -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt index 30f56ddbc..61f6a7cef 100644 --- a/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt @@ -71,8 +71,6 @@ org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-android-extensions-runtime org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-parcelize-runtime -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt index dcc3654dc..660066892 100644 --- a/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/overlays/dependencies/androidReleaseRuntimeClasspath.txt @@ -74,8 +74,6 @@ org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-android-extensions-runtime org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-parcelize-runtime -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index e336c1937..417971b05 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -35,7 +35,7 @@ jvmTarget = "11" kct = "0.4.0" kotlin = "1.9.22" kotlinpoet = "1.16.0" -kotlinx-coroutines = "1.7.3" +kotlinx-coroutines = "1.8.0" ksp = "1.9.22-1.0.17" ktfmt = "0.47" ktor = "2.3.8" From 4a2908400b3f5cbf95cb5db2bbf95f5b2b9dfeb9 Mon Sep 17 00:00:00 2001 From: Chris Banes Date: Sat, 17 Feb 2024 15:31:48 +0000 Subject: [PATCH 042/123] Enable RememberObserver to work with rememberRetained (#1210) This PR manually calls `RememberObserver` calls as appropriate when used in `rememberRetained`. The semantics of `rememberRetained` are obviously different to `remember`, so we call them at different times: - `onRemembered` will be called the first time that the retained item is first `remember`ed. The difference here is that we will **not** call `onRemembered` again once a the object is restored and remembered back into composition. - `onForgotten` will be called only once the retained state is cleared from both composition and any retained registries. - Thus, the logical lifecycle is maintained of created (`onRemembered` called), through to being no longer retained/remembered (`onForgotten` called). - We do not call `onAbandoned` as retained state doesn't meet the contract of the function. I did think about creating a `RetainedObserver` interface, but figured that using the existing `RememberObserver`, even with slightly different semantics, is a better solution. This has a variety of use-cases, but I have been playing around with a `rememberRetainedCorotineScope` in Tivi: https://github.com/chrisbanes/tivi/pull/1763 --- .../circuit/retained/android/RetainedTest.kt | 49 +++++++++++++++++++ .../circuit/retained/RememberRetained.kt | 27 ++++++++-- .../circuit/retained/RetainedStateRegistry.kt | 3 ++ 3 files changed, 76 insertions(+), 3 deletions(-) diff --git a/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt b/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt index 34162bf3c..4d98cb42e 100644 --- a/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt +++ b/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt @@ -13,6 +13,7 @@ import androidx.compose.material.Text import androidx.compose.material.TextField import androidx.compose.runtime.Composable import androidx.compose.runtime.CompositionLocalProvider +import androidx.compose.runtime.RememberObserver import androidx.compose.runtime.collectAsState import androidx.compose.runtime.getValue import androidx.compose.runtime.mutableStateOf @@ -281,6 +282,54 @@ class RetainedTest { composeTestRule.onNodeWithTag(TAG_RETAINED_1).assertTextContains("") } + @Test + fun rememberObserver() { + val subject = + object : RememberObserver { + var onRememberCalled: Int = 0 + private set + + var onForgottenCalled: Int = 0 + private set + + override fun onAbandoned() = Unit + + override fun onForgotten() { + onForgottenCalled++ + } + + override fun onRemembered() { + onRememberCalled++ + } + } + + val content = + @Composable { + rememberRetained { subject } + Unit + } + setActivityContent(content) + + assertThat(subject.onRememberCalled).isEqualTo(1) + assertThat(subject.onForgottenCalled).isEqualTo(0) + + // Restart the activity + scenario.recreate() + // Compose our content again + setActivityContent(content) + + // Assert that onRemembered was not called again + assertThat(subject.onRememberCalled).isEqualTo(1) + assertThat(subject.onForgottenCalled).isEqualTo(0) + + // Now finish the Activity + scenario.close() + + // Assert that the observer was forgotten + assertThat(subject.onRememberCalled).isEqualTo(1) + assertThat(subject.onForgottenCalled).isEqualTo(1) + } + private fun nestedRegistriesWithPopAndPush(useKeys: Boolean) { val content = @Composable { NestedRetainWithPushAndPop(useKeys = useKeys) } setActivityContent(content) diff --git a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt index 74ce88ff5..0a6c4d464 100644 --- a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt +++ b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt @@ -95,7 +95,14 @@ public fun rememberRetained(vararg inputs: Any?, key: String? = null, val restored = registry.consumeValue(finalKey) as? RetainableHolder.Value<*> val finalValue = restored?.value ?: init() val finalInputs = restored?.inputs ?: inputs - RetainableHolder(registry, canRetainChecker, finalKey, finalValue, finalInputs) + RetainableHolder( + registry = registry, + canRetainChecker = canRetainChecker, + key = finalKey, + value = finalValue, + inputs = finalInputs, + hasBeenRestored = restored != null, + ) } val value = holder.getValueIfInputsAreEqual(inputs) ?: init() SideEffect { holder.update(registry, finalKey, value, inputs) } @@ -111,6 +118,7 @@ private class RetainableHolder( private var key: String, private var value: T, private var inputs: Array, + private var hasBeenRestored: Boolean = false, ) : RetainedValueProvider, RememberObserver { private var entry: RetainedStateRegistry.Entry? = null @@ -124,6 +132,10 @@ private class RetainableHolder( this.key = key entryIsOutdated = true } + if (this.value !== value) { + // If the value changes, clear the hasBeenRestored flag + hasBeenRestored = false + } this.value = value this.inputs = inputs if (entry != null && entryIsOutdated) { @@ -149,18 +161,27 @@ private class RetainableHolder( // If the value is a RetainedStateRegistry, we need to take care to retain it. // First we tell it to saveAll, to retain it's values. Then we need to tell the host // registry to retain the child registry. - if (value is RetainedStateRegistry) { - (value as RetainedStateRegistry).saveAll() + val v = value + if (v is RetainedStateRegistry) { + v.saveAll() registry?.saveValue(key) } if (registry != null && !canRetainChecker.canRetain(registry!!)) { entry?.unregister() + // If value is a RememberObserver, we notify that it has been forgotten + if (v is RememberObserver) v.onForgotten() } } override fun onRemembered() { register() + + // If value is a RememberObserver, we notify that it has remembered + if (!hasBeenRestored) { + val v = value + if (v is RememberObserver) v.onRemembered() + } } override fun onForgotten() { diff --git a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt index 70e5651c7..3d0d1c913 100644 --- a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt +++ b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt @@ -3,6 +3,7 @@ package com.slack.circuit.retained import androidx.compose.runtime.ProvidableCompositionLocal +import androidx.compose.runtime.RememberObserver import androidx.compose.runtime.staticCompositionLocalOf import com.slack.circuit.retained.RetainedStateRegistry.Entry @@ -143,6 +144,8 @@ internal class RetainedStateRegistryImpl(retained: MutableMap } override fun forgetUnclaimedValues() { + // Notify any RememberObservers that it has been forgotten + retained.asSequence().filterIsInstance().forEach { it.onForgotten() } retained.clear() } } From d8ed44dcba71e1b3067be3611d54e66912d55760 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 17 Feb 2024 07:46:18 -0800 Subject: [PATCH 043/123] Update dependency org.jetbrains.compose.compiler:compiler to v1.5.8.1 (#1214) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [org.jetbrains.compose.compiler:compiler](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.5.8` -> `1.5.8.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 417971b05..473255819 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -22,7 +22,7 @@ compose-material3 = "1.2.0" compose-runtime = "1.6.1" compose-ui = "1.6.1" compose-jb = "1.5.12" -compose-jb-compiler = "1.5.8" +compose-jb-compiler = "1.5.8.1" compose-jb-kotlinVersion = "1.9.22" compose-integration-constraintlayout = "1.0.1" dagger = "2.50" From 7b4050f5c7f767591d7dbc2390f519b0ab89f24d Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 17 Feb 2024 07:46:29 -0800 Subject: [PATCH 044/123] Update dependency com.google.truth:truth to v1.4.1 (#1213) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.google.truth:truth](https://togithub.com/google/truth) | dependencies | patch | `1.4.0` -> `1.4.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
google/truth (com.google.truth:truth) ### [`v1.4.1`](https://togithub.com/google/truth/releases/tag/v1.4.1): 1.4.1 This release deprecates `Truth8`. All its methods have become available on the main `Truth` class. In most cases, you can migrate your whole project mechanically: `git grep -l Truth8 | xargs perl -pi -e 's/\bTruth8\b/Truth/g;'` While we do not plan to delete `Truth8`, we recommend migrating off it, at least if you static import `assertThat`: If you do not migrate, such static imports will become ambiguous in Truth 1.4.2, breaking your build.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 473255819..b281f3a2f 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -276,7 +276,7 @@ telephoto-zoomableImageCoil = { module = "me.saket.telephoto:zoomable-image-coil testing-assertk = "com.willowtreeapps.assertk:assertk:0.28.0" testing-espresso-core = "androidx.test.espresso:espresso-core:3.5.1" testing-testParameterInjector = { module = "com.google.testparameterinjector:test-parameter-injector", version.ref = "testParameterInjector" } -truth = "com.google.truth:truth:1.4.0" +truth = "com.google.truth:truth:1.4.1" turbine = { module = "app.cash.turbine:turbine", version.ref = "turbine" } # KMP UUID From c3e430b0c0d6ce5cab1863e7c2a43e3f390507a2 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 18 Feb 2024 06:01:26 -0800 Subject: [PATCH 045/123] Update roborazzi to v1.10.0 (#1216) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.github.takahirom.roborazzi](https://togithub.com/takahirom/roborazzi) | plugin | minor | `1.9.0` -> `1.10.0` | | [io.github.takahirom.roborazzi:roborazzi-junit-rule](https://togithub.com/takahirom/roborazzi) | dependencies | minor | `1.9.0` -> `1.10.0` | | [io.github.takahirom.roborazzi:roborazzi-compose](https://togithub.com/takahirom/roborazzi) | dependencies | minor | `1.9.0` -> `1.10.0` | | [io.github.takahirom.roborazzi:roborazzi](https://togithub.com/takahirom/roborazzi) | dependencies | minor | `1.9.0` -> `1.10.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
takahirom/roborazzi (io.github.takahirom.roborazzi) ### [`v1.10.0`](https://togithub.com/takahirom/roborazzi/releases/tag/1.10.0) [Compare Source](https://togithub.com/takahirom/roborazzi/compare/1.9.0...1.10.0) ##### New experimental feature ##### Custom context data for images and reports Custom context data enables the addition of information to images and reports in Roborazzi's tests, which I believe is very important. For example, it can include the test class name of a screenshot or whether it is in dark mode. You can now add custom context data using RoborazziOptions, and Roborazzi will add the test class name metadata if you use RoborazziRule. If you have any opinions about this feature, please let me know at [https://github.com/takahirom/roborazzi/issues/257](https://togithub.com/takahirom/roborazzi/issues/257). Furthermore, this opens up possibilities with AI. Given that AI now possesses multimodal capabilities, it has become feasible for AI to process images. This feature was made possible thanks to [@​sanao1006](https://togithub.com/sanao1006) 's contribution of migrating from org.json to gson. ```kotlin onView(ViewMatchers.isRoot()) .captureRoboImage( roborazziOptions = RoborazziOptions( contextData = mapOf( "context_data_key" to "context_data_value" ) ) ) } ``` image ##### Important bug fix Gradle attempts to load the test cache whenever possible, but there was an issue where Roborazzi couldn't restore images from the cache. This release includes a fix for this problem. Thank you, [@​francescocervone](https://togithub.com/francescocervone), for reporting this issue. ##### What's Changed - \[CI]Escape branch name by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/253](https://togithub.com/takahirom/roborazzi/pull/253) - refactor: migrating from the `org.json` Library to `Gson` by [@​sanao1006](https://togithub.com/sanao1006) in [https://github.com/takahirom/roborazzi/pull/248](https://togithub.com/takahirom/roborazzi/pull/248) - doc: Add build.gradle.kts examples by [@​sanao1006](https://togithub.com/sanao1006) in [https://github.com/takahirom/roborazzi/pull/256](https://togithub.com/takahirom/roborazzi/pull/256) - Enable adding metadata to image by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/259](https://togithub.com/takahirom/roborazzi/pull/259) - Add contextdata tabs to HTML report by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/260](https://togithub.com/takahirom/roborazzi/pull/260) - Fix Roborazzi output cache by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/262](https://togithub.com/takahirom/roborazzi/pull/262) ##### New Contributors - [@​sanao1006](https://togithub.com/sanao1006) made their first contribution in [https://github.com/takahirom/roborazzi/pull/248](https://togithub.com/takahirom/roborazzi/pull/248) **Full Changelog**: https://github.com/takahirom/roborazzi/compare/1.9.0...1.10.0
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index b281f3a2f..737fd2efa 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -52,7 +52,7 @@ paparazzi = "1.3.2" picnic = "0.7.0" retrofit = "2.9.0" robolectric = "4.11.1" -roborazzi = "1.9.0" +roborazzi = "1.10.0" skie = "0.6.1" spotless = "6.23.3" sqldelight = "2.0.1" From e7f1743c51329090269af7cb4db7230769a5c974 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 18 Feb 2024 06:02:25 -0800 Subject: [PATCH 046/123] Update dependency me.saket.telephoto:zoomable-image-coil to v0.8.0 (#1215) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [me.saket.telephoto:zoomable-image-coil](https://togithub.com/saket/telephoto) | dependencies | minor | `0.7.1` -> `0.8.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
saket/telephoto (me.saket.telephoto:zoomable-image-coil) ### [`v0.8.0`](https://togithub.com/saket/telephoto/releases/tag/0.8.0) [Compare Source](https://togithub.com/saket/telephoto/compare/0.7.1...0.8.0) Breaking changes - Reordered `SubSamplingImage()`'s parameters to move `Modifier` below all required parameters. New changes - Update Compose UI to `1.6.1` and Compose Multiplatform to `1.6.0-rc02` - Introduced [ZoomableState#transformedContentBounds](https://togithub.com/saket/telephoto/blob/706cf08cb976c0d9d9c6d0f95e4e64fc4efbf4ef/zoomable/src/commonMain/kotlin/me/saket/telephoto/zoomable/ZoomableState.kt#L88-L96) for observing transformed content bounds. This can be used for drawing decorations around the content or performing hit tests. - Placeholder images now respond to click listeners. Additionally, they will swallow all other zoom gestures instead of ignoring them. - [https://github.com/saket/telephoto/issues/3](https://togithub.com/saket/telephoto/issues/3): Read color space of bitmaps from Coil and Glide. Bug fixes - [https://github.com/saket/telephoto/issues/60](https://togithub.com/saket/telephoto/issues/60), [https://github.com/saket/telephoto/issues/65](https://togithub.com/saket/telephoto/issues/65): Improved detection of pinch-to-zoom gestures. - [https://github.com/saket/telephoto/issues/8](https://togithub.com/saket/telephoto/issues/8): Composables with `Modifier.zoomable()` are now drawn on the first frame. This fixes their broken layout preview. - [https://github.com/saket/telephoto/issues/58](https://togithub.com/saket/telephoto/issues/58): Fixed a resource leak when an image's EXIF metadata is read. - `ZoomableState#resetZoom()` now calculates the content's position on the same UI frame. - Images no longer flicker on start when they can't zoom-in any further.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 737fd2efa..1171e6898 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -56,7 +56,7 @@ roborazzi = "1.10.0" skie = "0.6.1" spotless = "6.23.3" sqldelight = "2.0.1" -telephoto = "0.7.1" +telephoto = "0.8.0" testParameterInjector = "1.15" turbine = "1.0.0" versionsPlugin = "0.49.0" From bbf1fdad6dc88d2ef79d3122f5d52ec905c58610 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Mon, 19 Feb 2024 05:59:49 -0800 Subject: [PATCH 047/123] Update roborazzi to v1.10.1 (#1218) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.github.takahirom.roborazzi](https://togithub.com/takahirom/roborazzi) | plugin | patch | `1.10.0` -> `1.10.1` | | [io.github.takahirom.roborazzi:roborazzi-junit-rule](https://togithub.com/takahirom/roborazzi) | dependencies | patch | `1.10.0` -> `1.10.1` | | [io.github.takahirom.roborazzi:roborazzi-compose](https://togithub.com/takahirom/roborazzi) | dependencies | patch | `1.10.0` -> `1.10.1` | | [io.github.takahirom.roborazzi:roborazzi](https://togithub.com/takahirom/roborazzi) | dependencies | patch | `1.10.0` -> `1.10.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
takahirom/roborazzi (io.github.takahirom.roborazzi) ### [`v1.10.1`](https://togithub.com/takahirom/roborazzi/releases/tag/1.10.1) [Compare Source](https://togithub.com/takahirom/roborazzi/compare/1.10.0...1.10.1) ##### Changes from 1.10.0 This release includes a bug fix for a Javascript error that prevented the HTML report from being displayed. ##### Changes from 1.9.0 ##### New experimental feature ##### Custom context data for images and reports Custom context data enables the addition of information to images and reports in Roborazzi's tests, which I believe is very important. For example, it can include the test class name of a screenshot or whether it is in dark mode. You can now add custom context data using RoborazziOptions, and Roborazzi will add the test class name metadata if you use RoborazziRule. If you have any opinions about this feature, please let me know at [https://github.com/takahirom/roborazzi/issues/257](https://togithub.com/takahirom/roborazzi/issues/257). Furthermore, this opens up possibilities with AI. Given that AI now possesses multimodal capabilities, it has become feasible for AI to process images. This feature was made possible thanks to [@​sanao1006](https://togithub.com/sanao1006) 's contribution of migrating from org.json to gson. ```kotlin onView(ViewMatchers.isRoot()) .captureRoboImage( roborazziOptions = RoborazziOptions( contextData = mapOf( "context_data_key" to "context_data_value" ) ) ) } ``` image ##### Important bug fix Gradle attempts to load the test cache whenever possible, but there was an issue where Roborazzi couldn't restore images from the cache. This release includes a fix for this problem. Thank you, [@​francescocervone](https://togithub.com/francescocervone), for reporting this issue. ##### What's Changed - \[CI]Escape branch name by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/253](https://togithub.com/takahirom/roborazzi/pull/253) - refactor: migrating from the `org.json` Library to `Gson` by [@​sanao1006](https://togithub.com/sanao1006) in [https://github.com/takahirom/roborazzi/pull/248](https://togithub.com/takahirom/roborazzi/pull/248) - doc: Add build.gradle.kts examples by [@​sanao1006](https://togithub.com/sanao1006) in [https://github.com/takahirom/roborazzi/pull/256](https://togithub.com/takahirom/roborazzi/pull/256) - Enable adding metadata to image by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/259](https://togithub.com/takahirom/roborazzi/pull/259) - Add contextdata tabs to HTML report by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/260](https://togithub.com/takahirom/roborazzi/pull/260) - Fix Roborazzi output cache by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/262](https://togithub.com/takahirom/roborazzi/pull/262) ##### New Contributors - [@​sanao1006](https://togithub.com/sanao1006) made their first contribution in [https://github.com/takahirom/roborazzi/pull/248](https://togithub.com/takahirom/roborazzi/pull/248) **Full Changelog**: https://github.com/takahirom/roborazzi/compare/1.9.0...1.10.0
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 1171e6898..7823b7939 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -52,7 +52,7 @@ paparazzi = "1.3.2" picnic = "0.7.0" retrofit = "2.9.0" robolectric = "4.11.1" -roborazzi = "1.10.0" +roborazzi = "1.10.1" skie = "0.6.1" spotless = "6.23.3" sqldelight = "2.0.1" From ad4542f44b9ad35a16ac020b83e6e54c43fc6b0d Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Mon, 19 Feb 2024 05:59:59 -0800 Subject: [PATCH 048/123] Update dependency mkdocs-material to v9.5.10 (#1217) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.9` -> `==9.5.10` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.10`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.10): mkdocs-material-9.5.10 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.9...9.5.10) - Updated Bahasa Malaysia translations - Fixed [#​6783](https://togithub.com/squidfunk/mkdocs-material/issues/6783): Hide continue reading link for blog posts without separators - Fixed [#​6779](https://togithub.com/squidfunk/mkdocs-material/issues/6779): Incorrect positioning of integrated table of contents
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 3ee04d471..87d82a51e 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.5.2 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.9 +mkdocs-material==9.5.10 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7 From b4b83f29cab12ab0b7302e2fe755840c9e718e72 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Tue, 20 Feb 2024 13:47:02 -0500 Subject: [PATCH 049/123] Link post on EventListener (#1221) This is a source of inspiration for this and a good reference post on how to use it --- .../kotlin/com/slack/circuit/foundation/EventListener.kt | 3 +++ 1 file changed, 3 insertions(+) diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/EventListener.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/EventListener.kt index 68b5d55a2..2a7fc3eb4 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/EventListener.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/EventListener.kt @@ -12,6 +12,9 @@ import com.slack.circuit.runtime.ui.Ui /** * A listener for tracking the state changes of a given [Screen]. This can be used for * instrumentation and other telemetry. + * + * @see
EventListener is Like + * Logging, But Good */ public interface EventListener { From 727d2a24bfd34e7ff845ea9129684d4ba6616051 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Wed, 21 Feb 2024 12:31:14 -0500 Subject: [PATCH 050/123] Implement ToastEffect (#1223) A composable function that returns a lambda to show a [Toast]. Any previously shown toast will be cancelled when a new one is shown or this composable exits composition. The returned lambda can be called with the text to show in the toast. ```kotlin val showToast = toastEffect() // ... Button(onClick = { showToast("Hello, world!") }) { Text("Show Toast") } ``` --- .../com/slack/circuitx/effects/ToastEffect.kt | 47 +++++++++++++++++++ 1 file changed, 47 insertions(+) create mode 100644 circuitx/effects/src/androidMain/kotlin/com/slack/circuitx/effects/ToastEffect.kt diff --git a/circuitx/effects/src/androidMain/kotlin/com/slack/circuitx/effects/ToastEffect.kt b/circuitx/effects/src/androidMain/kotlin/com/slack/circuitx/effects/ToastEffect.kt new file mode 100644 index 000000000..1e0f90be2 --- /dev/null +++ b/circuitx/effects/src/androidMain/kotlin/com/slack/circuitx/effects/ToastEffect.kt @@ -0,0 +1,47 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuitx.effects + +import android.widget.Toast +import androidx.annotation.CheckResult +import androidx.compose.runtime.Composable +import androidx.compose.runtime.LaunchedEffect +import androidx.compose.runtime.remember +import androidx.compose.ui.platform.LocalContext +import kotlinx.coroutines.awaitCancellation +import kotlinx.coroutines.channels.Channel + +/** + * A composable function that returns a lambda to show a [Toast]. Any previously shown toast will be + * cancelled when a new one is shown or this composable exits composition. The returned lambda can + * be called with the text to show in the toast. + * + * ```kotlin + * val showToast = toastEffect() + * // ... + * Button(onClick = { showToast("Hello, world!") }) { + * Text("Show Toast") + * } + * ``` + * + * @param duration The duration of the toast, either [Toast.LENGTH_SHORT] or [Toast.LENGTH_LONG]. + */ +@CheckResult +@Composable +public fun toastEffect(duration: Int = Toast.LENGTH_SHORT): (String) -> Unit { + val postChannel = remember { Channel(Channel.CONFLATED) } + val context = LocalContext.current + LaunchedEffect(context) { + var toast: Toast? = null + try { + for (text in postChannel) { + toast?.cancel() + toast = Toast.makeText(context, text, duration).also { it.show() } + } + awaitCancellation() + } finally { + toast?.cancel() + } + } + return remember(context) { { text -> postChannel.trySend(text) } } +} From 02264803bab114abc47a1876474039d79c3e45fd Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 22 Feb 2024 05:59:09 -0800 Subject: [PATCH 051/123] Update dependency future to v1 (#1232) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [future](https://python-future.org) ([source](https://togithub.com/PythonCharmers/python-future)) | major | `==0.18.3` -> `==1.0.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
PythonCharmers/python-future (future) ### [`v1.0.0`](https://togithub.com/PythonCharmers/python-future/releases/tag/v1.0.0) [Compare Source](https://togithub.com/PythonCharmers/python-future/compare/v0.18.3...v1.0.0) The new version number of 1.0.0 indicates that the python-future project, like Python 2, is now done. The most important change in this release is adding support for Python 3.12 ([`ba1cc50`](https://togithub.com/PythonCharmers/python-future/commit/ba1cc50) and [`a6222d2`](https://togithub.com/PythonCharmers/python-future/commit/a6222d2) and [`bcced95`](https://togithub.com/PythonCharmers/python-future/commit/bcced95)). This release also includes these fixes: - Small updates to the docs - Add SECURITY.md describing security policy ([`0598d1b`](https://togithub.com/PythonCharmers/python-future/commit/0598d1b)) - Fix pasteurize: NameError: name 'unicode' is not defined ([`de68c10`](https://togithub.com/PythonCharmers/python-future/commit/de68c10)) - Move CI to GitHub Actions ([`8cd11e8`](https://togithub.com/PythonCharmers/python-future/commit/8cd11e8)) - Add setuptools to requirements for building docs ([`0c347ff`](https://togithub.com/PythonCharmers/python-future/commit/0c347ff)) - Fix typos in docs ([`350e87a`](https://togithub.com/PythonCharmers/python-future/commit/350e87a)) - Make the fix_unpacking fixer more robust ([`de68c10`](https://togithub.com/PythonCharmers/python-future/commit/de68c10)) - Small improvements to shell scripts according to shellcheck ([`6153844`](https://togithub.com/PythonCharmers/python-future/commit/6153844))
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 87d82a51e..2d280d5da 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -1,5 +1,5 @@ click==8.1.7 -future==0.18.3 +future==1.0.0 Jinja2==3.1.3 livereload==2.6.3 lunr==0.7.0.post1 From 0706d11dd6e5a6d9772f8dd0782ebb1f95eebbf8 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 22 Feb 2024 05:59:21 -0800 Subject: [PATCH 052/123] Update dependency androidx.test.uiautomator:uiautomator to v2.3.0 (#1231) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.test.uiautomator:uiautomator](https://developer.android.com/jetpack/androidx/releases/test-uiautomator#2.3.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `2.3.0-rc01` -> `2.3.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 7823b7939..067277372 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -155,7 +155,7 @@ androidx-profileinstaller = "androidx.profileinstaller:profileinstaller:1.3.1" androidx-test-espresso-core = "androidx.test.espresso:espresso-core:3.5.1" androidx-test-ext-junit = "androidx.test.ext:junit:1.1.5" androidx-test-monitor = "androidx.test:monitor:1.6.1" -androidx-test-uiautomator = "androidx.test.uiautomator:uiautomator:2.3.0-rc01" +androidx-test-uiautomator = "androidx.test.uiautomator:uiautomator:2.3.0" anvil-annotations = { module = "com.squareup.anvil:annotations", version.ref = "anvil" } anvil-annotations-optional = { module = "com.squareup.anvil:annotations-optional", version.ref = "anvil" } From 648b75aaf2b5dbd0205ec18e78d62f3edb5e4bcb Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 22 Feb 2024 05:59:30 -0800 Subject: [PATCH 053/123] Update dependency androidx.compose:compose-bom to v2024.02.01 (#1230) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose:compose-bom](https://developer.android.com/jetpack) | dependencies | patch | `2024.02.00` -> `2024.02.01` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 067277372..f310e7054 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -111,7 +111,7 @@ androidx-compose-accompanist-placeholder = { module = "com.google.accompanist:ac androidx-compose-accompanist-swiperefresh = { module = "com.google.accompanist:accompanist-swiperefresh", version.ref = "accompanist" } androidx-compose-accompanist-systemUi = { module = "com.google.accompanist:accompanist-systemuicontroller", version.ref = "accompanist" } androidx-compose-animation = { module = "androidx.compose.animation:animation", version.ref = "compose-animation" } -androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.02.00" } +androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.02.01" } androidx-compose-compiler = { module = "androidx.compose.compiler:compiler", version.ref = "compose-compiler-version" } # Foundation (Border, Background, Box, Image, Scroll, shapes, animations, etc.) androidx-compose-foundation = { module = "androidx.compose.foundation:foundation", version.ref = "compose-foundation" } From a54e3129a3f1014fe12988d78597f36557a2372a Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 22 Feb 2024 05:59:41 -0800 Subject: [PATCH 054/123] Update dependency androidx.compose.foundation:foundation to v1.6.2 (#1229) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.foundation:foundation](https://developer.android.com/jetpack/androidx/releases/compose-foundation#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index f310e7054..3b9233ee6 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -16,7 +16,7 @@ compose-animation = "1.6.1" # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.9" compose-compiler-kotlinVersion = "1.9.22" -compose-foundation = "1.6.1" +compose-foundation = "1.6.2" compose-material = "1.6.1" compose-material3 = "1.2.0" compose-runtime = "1.6.1" From 36c7b2b85e2717df54a0e2fdcbfb73248a430e65 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 22 Feb 2024 05:59:51 -0800 Subject: [PATCH 055/123] Update dependency androidx.compose.compiler:compiler to v1.5.10 (#1228) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.compiler:compiler](https://developer.android.com/jetpack/androidx/releases/compose-compiler#1.5.10) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.5.9` -> `1.5.10` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 3b9233ee6..c12230a1d 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -14,7 +14,7 @@ coil3 = "3.0.0-alpha04" compose-animation = "1.6.1" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository -compose-compiler-version = "1.5.9" +compose-compiler-version = "1.5.10" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.2" compose-material = "1.6.1" From 9645f8188b4e6d6e8171f3cacff4e9b3f5abd52f Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 22 Feb 2024 06:00:00 -0800 Subject: [PATCH 056/123] Update dependency androidx.compose.animation:animation to v1.6.2 (#1227) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.animation:animation](https://developer.android.com/jetpack/androidx/releases/compose-animation#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index c12230a1d..50dc170d7 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -11,7 +11,7 @@ atomicfu = "0.23.2" benchmark = "1.2.3" coil = "2.5.0" coil3 = "3.0.0-alpha04" -compose-animation = "1.6.1" +compose-animation = "1.6.2" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.10" From 16db5420c77ccbe76a0cf2ec8bb2da02c1446bd4 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 22 Feb 2024 06:00:08 -0800 Subject: [PATCH 057/123] Update compose.ui to v1.6.2 (#1226) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.ui:ui-viewbinding](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-util](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-unit](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-tooling-preview](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-tooling-data](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-tooling](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-text](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-test-manifest](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-test-junit4](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.ui:ui-graphics](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 50dc170d7..6340f587c 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -20,7 +20,7 @@ compose-foundation = "1.6.2" compose-material = "1.6.1" compose-material3 = "1.2.0" compose-runtime = "1.6.1" -compose-ui = "1.6.1" +compose-ui = "1.6.2" compose-jb = "1.5.12" compose-jb-compiler = "1.5.8.1" compose-jb-kotlinVersion = "1.9.22" From 604f4cf9237afbe05b63c291d267233dffee7344 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 23 Feb 2024 12:49:12 -0800 Subject: [PATCH 058/123] Update compose.runtime to v1.6.2 (#1225) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.runtime:runtime-livedata](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.runtime:runtime](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.runtime:runtime-rxjava3](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 6340f587c..3318c29a4 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -19,7 +19,7 @@ compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.2" compose-material = "1.6.1" compose-material3 = "1.2.0" -compose-runtime = "1.6.1" +compose-runtime = "1.6.2" compose-ui = "1.6.2" compose-jb = "1.5.12" compose-jb-compiler = "1.5.8.1" From 7470a1c38d1f8c4ef90b104473b7022664c45810 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 23 Feb 2024 13:03:01 -0800 Subject: [PATCH 059/123] Update compose.material to v1.6.2 (#1224) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.material:material](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | | [androidx.compose.material:material-icons-core](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.2) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.1` -> `1.6.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 3318c29a4..6714679b5 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -17,7 +17,7 @@ compose-animation = "1.6.2" compose-compiler-version = "1.5.10" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.2" -compose-material = "1.6.1" +compose-material = "1.6.2" compose-material3 = "1.2.0" compose-runtime = "1.6.2" compose-ui = "1.6.2" From 0440540e72307929619ee849c0b114361d2d3e60 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 24 Feb 2024 17:03:16 -0800 Subject: [PATCH 060/123] Update coil to v2.6.0 (#1234) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.coil-kt:coil-test](https://togithub.com/coil-kt/coil) | dependencies | minor | `2.5.0` -> `2.6.0` | | [io.coil-kt:coil-compose](https://togithub.com/coil-kt/coil) | dependencies | minor | `2.5.0` -> `2.6.0` | | [io.coil-kt:coil](https://togithub.com/coil-kt/coil) | dependencies | minor | `2.5.0` -> `2.6.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
coil-kt/coil (io.coil-kt:coil-test) ### [`v2.6.0`](https://togithub.com/coil-kt/coil/blob/HEAD/CHANGELOG.md#260---February-23-2024) [Compare Source](https://togithub.com/coil-kt/coil/compare/2.5.0...2.6.0) - Make `rememberAsyncImagePainter`, `AsyncImage`, and `SubcomposeAsyncImage` [restartable and skippable](https://developer.android.com/jetpack/compose/performance/stability#functions). This should improve performance by avoiding recomposition unless one of the composable's arguments changes. - Add an optional `modelEqualityDelegate` argument to `rememberAsyncImagePainter`, `AsyncImage`, and `SubcomposeAsyncImage` to control whether the `model` will trigger a recomposition. - Update `ContentPainterModifier` to implement `Modifier.Node`. - Fix: Lazily register component callbacks and the network observer on a background thread. This fixes slow initialization that would often occur on the main thread. - Fix: Avoid relaunching a new image request in `rememberAsyncImagePainter`, `AsyncImage`, and `SubcomposeAsyncImage` if `ImageRequest.listener` or `ImageRequest.target` change. - Fix: Don't observe the image request twice in `AsyncImagePainter`. - Update Kotlin to 1.9.22. - Update Compose to 1.6.1. - Update Okio to 3.8.0. - Update `androidx.collection` to 1.4.0. - Update `androidx.lifecycle` to 2.7.0.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 6714679b5..4973ced0c 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -9,7 +9,7 @@ agp = "8.2.2" anvil = "2.4.9" atomicfu = "0.23.2" benchmark = "1.2.3" -coil = "2.5.0" +coil = "2.6.0" coil3 = "3.0.0-alpha04" compose-animation = "1.6.2" # Pre-release versions for testing Kotlin previews can be found here From 3bf50471c59dc925cf3644f0cc899441acf32eab Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 24 Feb 2024 22:32:48 -0800 Subject: [PATCH 061/123] Update dependency mkdocs-material to v9.5.11 (#1233) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.10` -> `==9.5.11` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.11`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.11): mkdocs-material-9.5.11 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.10...9.5.11) - Updated Finnish translation
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 2d280d5da..b1f4d0c56 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.5.2 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.10 +mkdocs-material==9.5.11 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7 From dcc147546647d6de5b0e4c8cc68dbc7d4a9aa2a8 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Tue, 27 Feb 2024 17:01:27 -0500 Subject: [PATCH 062/123] Update to CM 1.6 (#1209) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This updates the project to Compose Multiplatform 1.6.0. **Changes** - Fixed JS support to use `browser()` instead of NodeJS. - Added toe-holds for WASM support. Can't add it until we get a molecule WASM target. - Misc changes along the way for the compose update itself. **Followup work** - Will need some work to migrate off swipeable https://developer.android.com/jetpack/compose/touch-input/pointer-input/migrate-swipeable - The new generated `Res` objects for resources don't actually seem to work. Will file a report separately ¯\_(ツ)_/¯ - Kotlin JS/compose multiplatform on JS continues to be a mess. The counter sample still doesn't run despite fixes here. Yields the following obscure errors (on chrome and firefox respectively) ``` ClassCastException at THROW_CCE (webpack-internal:///../counterApp/kotlin/counterApp.js:9882:11) at protoOf.insertTopDown_7i64np_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:287811:96) at protoOf.execute_bg9gly_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:104648:17) at protoOf.executeAndFlushAllPendingOperations_me43h6_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:105781:44) at protoOf.executeAndFlushAllPendingFixups_o2eddv_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:103636:23) at protoOf.execute_bg9gly_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:104583:14) at protoOf.executeAndFlushAllPendingOperations_me43h6_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:105781:44) at protoOf.executeAndFlushAllPendingChanges_o7h1mb_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:101644:30) at applyChangesInLocked (webpack-internal:///../counterApp/kotlin/counterApp.js:89414:21) at protoOf.applyChanges_ynn7tn_k$ (webpack-internal:///../counterApp/kotlin/counterApp.js:90565:9) ``` ``` Module["org_jetbrains_skia_paragraph_FontCollection__1nMake"] is not a function ``` --- backstack/build.gradle.kts | 15 ++++++++-- .../androidReleaseRuntimeClasspath.txt | 1 + .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ .../androidReleaseRuntimeClasspath.txt | 3 ++ .../dependencies/jvmRuntimeClasspath.txt | 5 ++++ circuit-foundation/build.gradle.kts | 12 ++++++-- .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ circuit-overlay/build.gradle.kts | 15 ++++++++-- .../androidReleaseRuntimeClasspath.txt | 2 ++ .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ circuit-retained/build.gradle.kts | 12 ++++++-- .../dependencies/jvmRuntimeClasspath.txt | 5 ++++ circuit-runtime-presenter/build.gradle.kts | 15 ++++++++-- .../androidReleaseRuntimeClasspath.txt | 1 + .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ circuit-runtime-screen/build.gradle.kts | 15 ++++++++-- .../androidReleaseRuntimeClasspath.txt | 3 ++ .../dependencies/jvmRuntimeClasspath.txt | 5 ++++ circuit-runtime-ui/build.gradle.kts | 15 ++++++++-- .../androidReleaseRuntimeClasspath.txt | 1 + .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ circuit-runtime/build.gradle.kts | 15 ++++++++-- .../androidReleaseRuntimeClasspath.txt | 1 + .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ circuit-test/build.gradle.kts | 15 ++++++++-- .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ .../dependencies/releaseRuntimeClasspath.txt | 1 + circuitx/effects/build.gradle.kts | 15 ++++++++-- .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ circuitx/gesture-navigation/build.gradle.kts | 15 ++++++++-- .../androidReleaseRuntimeClasspath.txt | 3 ++ .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ .../GestureNavigationDecoration.kt | 2 ++ circuitx/overlays/build.gradle.kts | 15 ++++++++-- .../dependencies/jvmRuntimeClasspath.txt | 6 ++++ gradle.properties | 9 ++++-- gradle/libs.versions.toml | 2 +- internal-test-utils/build.gradle.kts | 17 +++++++++-- kotlin-js-store/yarn.lock | 2 +- samples/counter/README.md | 14 +++++---- samples/counter/apps/build.gradle.kts | 20 +++++++++++-- .../circuit/sample/counter/browser/main.kt | 29 +++++++++---------- .../apps/src/jsMain/resources/index.html | 9 +++--- samples/counter/build.gradle.kts | 15 ++++++++-- .../sample/coil/test/CoilRule.common.kt | 8 ++--- .../slack/circuit/star/home/AboutScreen.kt | 3 +- .../circuit/tutorial/impl/DetailScreen.kt | 5 ++-- 47 files changed, 328 insertions(+), 72 deletions(-) diff --git a/backstack/build.gradle.kts b/backstack/build.gradle.kts index e4f8a42fb..e652316a0 100644 --- a/backstack/build.gradle.kts +++ b/backstack/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -16,9 +20,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/backstack/dependencies/androidReleaseRuntimeClasspath.txt b/backstack/dependencies/androidReleaseRuntimeClasspath.txt index ab9f0199c..26df5ee84 100644 --- a/backstack/dependencies/androidReleaseRuntimeClasspath.txt +++ b/backstack/dependencies/androidReleaseRuntimeClasspath.txt @@ -7,6 +7,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/backstack/dependencies/jvmRuntimeClasspath.txt b/backstack/dependencies/jvmRuntimeClasspath.txt index f5975f9f7..da9cd04c8 100644 --- a/backstack/dependencies/jvmRuntimeClasspath.txt +++ b/backstack/dependencies/jvmRuntimeClasspath.txt @@ -1,5 +1,11 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime-saveable-desktop org.jetbrains.compose.runtime:runtime-saveable diff --git a/circuit-codegen-annotations/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-codegen-annotations/dependencies/androidReleaseRuntimeClasspath.txt index 72e63e9ea..9f44a2bfc 100644 --- a/circuit-codegen-annotations/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-codegen-annotations/dependencies/androidReleaseRuntimeClasspath.txt @@ -1,4 +1,7 @@ +androidx.annotation:annotation-jvm androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime org.jetbrains.compose.runtime:runtime diff --git a/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt b/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt index 48de250b7..e5337676c 100644 --- a/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt @@ -1,3 +1,8 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom diff --git a/circuit-foundation/build.gradle.kts b/circuit-foundation/build.gradle.kts index c0c41c03d..0f57faf64 100644 --- a/circuit-foundation/build.gradle.kts +++ b/circuit-foundation/build.gradle.kts @@ -1,5 +1,6 @@ // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl import org.jetbrains.kotlin.gradle.tasks.KotlinCompile plugins { @@ -18,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-foundation/dependencies/jvmRuntimeClasspath.txt b/circuit-foundation/dependencies/jvmRuntimeClasspath.txt index 582579dd5..a7f944c19 100644 --- a/circuit-foundation/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-foundation/dependencies/jvmRuntimeClasspath.txt @@ -1,9 +1,15 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid org.jetbrains.compose.animation:animation-core-desktop org.jetbrains.compose.animation:animation-core org.jetbrains.compose.animation:animation-desktop org.jetbrains.compose.animation:animation +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.foundation:foundation-desktop org.jetbrains.compose.foundation:foundation-layout-desktop org.jetbrains.compose.foundation:foundation-layout diff --git a/circuit-overlay/build.gradle.kts b/circuit-overlay/build.gradle.kts index c37db1240..0f2395a4e 100644 --- a/circuit-overlay/build.gradle.kts +++ b/circuit-overlay/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -15,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt index 8f52c5ab4..cf953ae8b 100644 --- a/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-overlay/dependencies/androidReleaseRuntimeClasspath.txt @@ -6,6 +6,8 @@ androidx.annotation:annotation androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill +androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.animation:animation-android androidx.compose.animation:animation-core-android diff --git a/circuit-overlay/dependencies/jvmRuntimeClasspath.txt b/circuit-overlay/dependencies/jvmRuntimeClasspath.txt index 5de29d247..8eaf2300d 100644 --- a/circuit-overlay/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-overlay/dependencies/jvmRuntimeClasspath.txt @@ -1,7 +1,13 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection org.jetbrains.compose.animation:animation-core-desktop org.jetbrains.compose.animation:animation-core org.jetbrains.compose.animation:animation-desktop org.jetbrains.compose.animation:animation +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.foundation:foundation-desktop org.jetbrains.compose.foundation:foundation-layout-desktop org.jetbrains.compose.foundation:foundation-layout diff --git a/circuit-retained/build.gradle.kts b/circuit-retained/build.gradle.kts index 56fc8c4c0..384e652d5 100644 --- a/circuit-retained/build.gradle.kts +++ b/circuit-retained/build.gradle.kts @@ -1,6 +1,7 @@ // Copyright (C) 2023 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 import org.jetbrains.kotlin.gradle.plugin.KotlinDependencyHandler +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl plugins { alias(libs.plugins.agp.library) @@ -18,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-retained/dependencies/jvmRuntimeClasspath.txt b/circuit-retained/dependencies/jvmRuntimeClasspath.txt index 1882b86f8..945407de7 100644 --- a/circuit-retained/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-retained/dependencies/jvmRuntimeClasspath.txt @@ -1,3 +1,8 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom diff --git a/circuit-runtime-presenter/build.gradle.kts b/circuit-runtime-presenter/build.gradle.kts index 8a6baef0c..494302e64 100644 --- a/circuit-runtime-presenter/build.gradle.kts +++ b/circuit-runtime-presenter/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -15,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt index ab9f0199c..26df5ee84 100644 --- a/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime-presenter/dependencies/androidReleaseRuntimeClasspath.txt @@ -7,6 +7,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt index f5975f9f7..da9cd04c8 100644 --- a/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime-presenter/dependencies/jvmRuntimeClasspath.txt @@ -1,5 +1,11 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime-saveable-desktop org.jetbrains.compose.runtime:runtime-saveable diff --git a/circuit-runtime-screen/build.gradle.kts b/circuit-runtime-screen/build.gradle.kts index 0d888107f..10507a8be 100644 --- a/circuit-runtime-screen/build.gradle.kts +++ b/circuit-runtime-screen/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -15,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-runtime-screen/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime-screen/dependencies/androidReleaseRuntimeClasspath.txt index 72e63e9ea..9f44a2bfc 100644 --- a/circuit-runtime-screen/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime-screen/dependencies/androidReleaseRuntimeClasspath.txt @@ -1,4 +1,7 @@ +androidx.annotation:annotation-jvm androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime org.jetbrains.compose.runtime:runtime diff --git a/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt index 48de250b7..e5337676c 100644 --- a/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt @@ -1,3 +1,8 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom diff --git a/circuit-runtime-ui/build.gradle.kts b/circuit-runtime-ui/build.gradle.kts index 974ed16e8..358ddf2fa 100644 --- a/circuit-runtime-ui/build.gradle.kts +++ b/circuit-runtime-ui/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -15,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt index ab9f0199c..26df5ee84 100644 --- a/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime-ui/dependencies/androidReleaseRuntimeClasspath.txt @@ -7,6 +7,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt index f5975f9f7..da9cd04c8 100644 --- a/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime-ui/dependencies/jvmRuntimeClasspath.txt @@ -1,5 +1,11 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime-saveable-desktop org.jetbrains.compose.runtime:runtime-saveable diff --git a/circuit-runtime/build.gradle.kts b/circuit-runtime/build.gradle.kts index a5df92dcd..d1cf1ac2a 100644 --- a/circuit-runtime/build.gradle.kts +++ b/circuit-runtime/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -15,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt index ab9f0199c..26df5ee84 100644 --- a/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-runtime/dependencies/androidReleaseRuntimeClasspath.txt @@ -7,6 +7,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/circuit-runtime/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime/dependencies/jvmRuntimeClasspath.txt index f5975f9f7..da9cd04c8 100644 --- a/circuit-runtime/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime/dependencies/jvmRuntimeClasspath.txt @@ -1,5 +1,11 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime-saveable-desktop org.jetbrains.compose.runtime:runtime-saveable diff --git a/circuit-test/build.gradle.kts b/circuit-test/build.gradle.kts index 5fcab0e66..551e2ef3f 100644 --- a/circuit-test/build.gradle.kts +++ b/circuit-test/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -15,9 +19,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuit-test/dependencies/jvmRuntimeClasspath.txt b/circuit-test/dependencies/jvmRuntimeClasspath.txt index 3bb16f540..111b2df92 100644 --- a/circuit-test/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-test/dependencies/jvmRuntimeClasspath.txt @@ -1,3 +1,7 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection app.cash.molecule:molecule-runtime-jvm app.cash.molecule:molecule-runtime app.cash.turbine:turbine-jvm @@ -8,6 +12,8 @@ org.jetbrains.compose.animation:animation-core-desktop org.jetbrains.compose.animation:animation-core org.jetbrains.compose.animation:animation-desktop org.jetbrains.compose.animation:animation +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.foundation:foundation-desktop org.jetbrains.compose.foundation:foundation-layout-desktop org.jetbrains.compose.foundation:foundation-layout diff --git a/circuitx/android/dependencies/releaseRuntimeClasspath.txt b/circuitx/android/dependencies/releaseRuntimeClasspath.txt index c762e09f7..18748e6ae 100644 --- a/circuitx/android/dependencies/releaseRuntimeClasspath.txt +++ b/circuitx/android/dependencies/releaseRuntimeClasspath.txt @@ -7,6 +7,7 @@ androidx.arch.core:core-common androidx.arch.core:core-runtime androidx.autofill:autofill androidx.collection:collection-jvm +androidx.collection:collection-ktx androidx.collection:collection androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/circuitx/effects/build.gradle.kts b/circuitx/effects/build.gradle.kts index 5f5183d58..cf410dfbc 100644 --- a/circuitx/effects/build.gradle.kts +++ b/circuitx/effects/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2023 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -16,9 +20,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuitx/effects/dependencies/jvmRuntimeClasspath.txt b/circuitx/effects/dependencies/jvmRuntimeClasspath.txt index 582579dd5..a7f944c19 100644 --- a/circuitx/effects/dependencies/jvmRuntimeClasspath.txt +++ b/circuitx/effects/dependencies/jvmRuntimeClasspath.txt @@ -1,9 +1,15 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid org.jetbrains.compose.animation:animation-core-desktop org.jetbrains.compose.animation:animation-core org.jetbrains.compose.animation:animation-desktop org.jetbrains.compose.animation:animation +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.foundation:foundation-desktop org.jetbrains.compose.foundation:foundation-layout-desktop org.jetbrains.compose.foundation:foundation-layout diff --git a/circuitx/gesture-navigation/build.gradle.kts b/circuitx/gesture-navigation/build.gradle.kts index f32bfe0fa..ce01e4852 100644 --- a/circuitx/gesture-navigation/build.gradle.kts +++ b/circuitx/gesture-navigation/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2023 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -14,9 +18,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt b/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt index 61f6a7cef..2f9bc8b0f 100644 --- a/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuitx/gesture-navigation/dependencies/androidReleaseRuntimeClasspath.txt @@ -18,8 +18,11 @@ androidx.compose.foundation:foundation-android androidx.compose.foundation:foundation-layout-android androidx.compose.foundation:foundation-layout androidx.compose.foundation:foundation +androidx.compose.material3:material3-android androidx.compose.material3:material3 +androidx.compose.material:material-icons-core-android androidx.compose.material:material-icons-core +androidx.compose.material:material-ripple-android androidx.compose.material:material-ripple androidx.compose.runtime:runtime-android androidx.compose.runtime:runtime-saveable-android diff --git a/circuitx/gesture-navigation/dependencies/jvmRuntimeClasspath.txt b/circuitx/gesture-navigation/dependencies/jvmRuntimeClasspath.txt index 582579dd5..a7f944c19 100644 --- a/circuitx/gesture-navigation/dependencies/jvmRuntimeClasspath.txt +++ b/circuitx/gesture-navigation/dependencies/jvmRuntimeClasspath.txt @@ -1,9 +1,15 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid org.jetbrains.compose.animation:animation-core-desktop org.jetbrains.compose.animation:animation-core org.jetbrains.compose.animation:animation-desktop org.jetbrains.compose.animation:animation +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.foundation:foundation-desktop org.jetbrains.compose.foundation:foundation-layout-desktop org.jetbrains.compose.foundation:foundation-layout diff --git a/circuitx/gesture-navigation/src/iosMain/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationDecoration.kt b/circuitx/gesture-navigation/src/iosMain/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationDecoration.kt index 88f7f0c47..5a975e44b 100644 --- a/circuitx/gesture-navigation/src/iosMain/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationDecoration.kt +++ b/circuitx/gesture-navigation/src/iosMain/kotlin/com/slack/circuitx/gesturenavigation/GestureNavigationDecoration.kt @@ -1,5 +1,7 @@ // Copyright (C) 2023 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 +@file:Suppress("DEPRECATION") // TODO migrate! + package com.slack.circuitx.gesturenavigation import androidx.compose.animation.AnimatedContent diff --git a/circuitx/overlays/build.gradle.kts b/circuitx/overlays/build.gradle.kts index bab4b4116..a1ff7ceba 100644 --- a/circuitx/overlays/build.gradle.kts +++ b/circuitx/overlays/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -14,9 +18,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { + js(IR) { moduleName = property("POM_ARTIFACT_ID").toString() - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/circuitx/overlays/dependencies/jvmRuntimeClasspath.txt b/circuitx/overlays/dependencies/jvmRuntimeClasspath.txt index e7f65f23a..da05fc3e7 100644 --- a/circuitx/overlays/dependencies/jvmRuntimeClasspath.txt +++ b/circuitx/overlays/dependencies/jvmRuntimeClasspath.txt @@ -1,9 +1,15 @@ +androidx.annotation:annotation-jvm +androidx.annotation:annotation +androidx.collection:collection-jvm +androidx.collection:collection com.benasher44:uuid-jvm com.benasher44:uuid org.jetbrains.compose.animation:animation-core-desktop org.jetbrains.compose.animation:animation-core org.jetbrains.compose.animation:animation-desktop org.jetbrains.compose.animation:animation +org.jetbrains.compose.annotation-internal:annotation +org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.foundation:foundation-desktop org.jetbrains.compose.foundation:foundation-layout-desktop org.jetbrains.compose.foundation:foundation-layout diff --git a/gradle.properties b/gradle.properties index ba07c1dfc..33a4b0ff0 100644 --- a/gradle.properties +++ b/gradle.properties @@ -50,10 +50,13 @@ kotlin.native.ignoreDisabledTargets=true # https://kotlinlang.org/docs/ksp-multiplatform.html#avoid-the-ksp-configuration-on-ksp-1-0-1 systemProp.allowAllTargetConfiguration=false -# Enable for Compose iOS -org.jetbrains.compose.experimental.uikit.enabled=true -# Enable for Compose Web +# Enable for Compose Web and wasm org.jetbrains.compose.experimental.jscanvas.enabled=true +org.jetbrains.compose.experimental.wasm.enabled=true + +kotlinx.atomicfu.enableJvmIrTransformation=true +kotlinx.atomicfu.enableNativeIrTransformation=true +kotlinx.atomicfu.enableJsIrTransformation=true # New Kotlin IC flags kotlin.compiler.suppressExperimentalICOptimizationsWarning=true diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 4973ced0c..734f022d4 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -21,7 +21,7 @@ compose-material = "1.6.2" compose-material3 = "1.2.0" compose-runtime = "1.6.2" compose-ui = "1.6.2" -compose-jb = "1.5.12" +compose-jb = "1.6.0" compose-jb-compiler = "1.5.8.1" compose-jb-kotlinVersion = "1.9.22" compose-integration-constraintlayout = "1.0.1" diff --git a/internal-test-utils/build.gradle.kts b/internal-test-utils/build.gradle.kts index c2abe9282..aebcad53f 100644 --- a/internal-test-utils/build.gradle.kts +++ b/internal-test-utils/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2023 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -14,9 +18,16 @@ kotlin { iosX64() iosArm64() iosSimulatorArm64() - js { - moduleName = properties["POM_ARTIFACT_ID"]?.toString() - nodejs() + js(IR) { + moduleName = "internal-test-utils" + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = property("POM_ARTIFACT_ID").toString() + browser() + } } // endregion diff --git a/kotlin-js-store/yarn.lock b/kotlin-js-store/yarn.lock index 28bc1a7c8..0ff440126 100644 --- a/kotlin-js-store/yarn.lock +++ b/kotlin-js-store/yarn.lock @@ -2330,7 +2330,7 @@ source-map-loader@4.0.1: iconv-lite "^0.6.3" source-map-js "^1.0.2" -source-map-support@0.5.21, source-map-support@~0.5.20: +source-map-support@~0.5.20: version "0.5.21" resolved "https://registry.yarnpkg.com/source-map-support/-/source-map-support-0.5.21.tgz#04fe7c7f9e1ed2d662233c28cb2b35b9f63f6e4f" integrity sha512-uBHU3L3czsIyYXKX88fdrGovxdSCoTGDRZ6SYXtSRxLZUzHg5P/66Ht6uoUlHu9EZod+inXhKo3qQgwXUT/y1w== diff --git a/samples/counter/README.md b/samples/counter/README.md index ca14f4812..fabc615b6 100644 --- a/samples/counter/README.md +++ b/samples/counter/README.md @@ -6,9 +6,11 @@ count. ## Platforms -| Platform | Status | -|--------------------------------------------------|--------| -| Android | ✅ | -| [Desktop](https://www.jetbrains.com/lp/compose-mpp/) | ✅ | -| [Mosaic](https://github.com/JakeWharton/mosaic) | 🚧 | -| iOS | ❌ | +| Platform | Status | +|-------------------------------------------------|--------| +| Android | ✅ | +| Desktop | ✅ | +| iOS | ✅ | +| Web (JS) | ✅ | +| WASM (JS) | ❌ | +| [Mosaic](https://github.com/JakeWharton/mosaic) | 🚧 | diff --git a/samples/counter/apps/build.gradle.kts b/samples/counter/apps/build.gradle.kts index 6d69af4c3..8e21c2110 100644 --- a/samples/counter/apps/build.gradle.kts +++ b/samples/counter/apps/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -29,11 +33,19 @@ kotlin { jvm() iosX64() iosArm64() - js { - moduleName = "counterapp" - browser() + js(IR) { + moduleName = "counterApp" + browser { commonWebpackConfig { outputFileName = "counterApp.js" } } binaries.executable() } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = "counterApp" + browser { commonWebpackConfig { outputFileName = "counterApp.js" } } + binaries.executable() + } + } // endregion applyDefaultHierarchyTemplate() @@ -63,6 +75,8 @@ kotlin { @OptIn(org.jetbrains.compose.ExperimentalComposeLibrary::class) implementation(compose.components.resources) implementation(compose.html.core) + implementation(compose.ui) + implementation(compose.runtime) } } } diff --git a/samples/counter/apps/src/jsMain/kotlin/com/slack/circuit/sample/counter/browser/main.kt b/samples/counter/apps/src/jsMain/kotlin/com/slack/circuit/sample/counter/browser/main.kt index 5a62dfc70..773fbf855 100644 --- a/samples/counter/apps/src/jsMain/kotlin/com/slack/circuit/sample/counter/browser/main.kt +++ b/samples/counter/apps/src/jsMain/kotlin/com/slack/circuit/sample/counter/browser/main.kt @@ -1,6 +1,6 @@ // Copyright (C) 2023 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 -@file:Suppress("DEPRECATION") +@file:Suppress("DEPRECATION_ERROR") package com.slack.circuit.sample.counter.browser @@ -17,14 +17,13 @@ import androidx.compose.ui.platform.LocalViewConfiguration import androidx.compose.ui.text.font.createFontFamilyResolver import androidx.compose.ui.unit.Density import androidx.compose.ui.unit.LayoutDirection -import androidx.compose.ui.window.Window import com.slack.circuit.foundation.Circuit import com.slack.circuit.foundation.CircuitCompositionLocals import com.slack.circuit.foundation.CircuitContent import com.slack.circuit.sample.counter.CounterPresenterFactory import com.slack.circuit.sample.counter.CounterScreen import com.slack.circuit.sample.counter.CounterUiFactory -import org.jetbrains.skiko.wasm.onWasmReady +import org.jetbrains.compose.web.renderComposable data object BrowserCounterScreen : CounterScreen @@ -34,19 +33,17 @@ fun main() { .addPresenterFactory(CounterPresenterFactory()) .addUiFactory(CounterUiFactory()) .build() - onWasmReady { - Window("Counter") { - // https://github.com/JetBrains/compose-multiplatform/issues/2186 - val fontFamilyResolver = createFontFamilyResolver() - CompositionLocalProvider( - LocalDensity provides Density(1.0f), - LocalLayoutDirection provides LayoutDirection.Ltr, - LocalViewConfiguration provides DefaultViewConfiguration(Density(1.0f)), - LocalInputModeManager provides InputModeManagerObject, - LocalFontFamilyResolver provides fontFamilyResolver, - ) { - CircuitCompositionLocals(circuit) { CircuitContent(BrowserCounterScreen) } - } + // https://github.com/JetBrains/compose-multiplatform/issues/2186 + val fontFamilyResolver = createFontFamilyResolver() + renderComposable(rootElementId = "root") { + CompositionLocalProvider( + LocalDensity provides Density(1.0f), + LocalLayoutDirection provides LayoutDirection.Ltr, + LocalViewConfiguration provides DefaultViewConfiguration(Density(1.0f)), + LocalInputModeManager provides InputModeManagerObject, + LocalFontFamilyResolver provides fontFamilyResolver, + ) { + CircuitCompositionLocals(circuit) { CircuitContent(BrowserCounterScreen) } } } } diff --git a/samples/counter/apps/src/jsMain/resources/index.html b/samples/counter/apps/src/jsMain/resources/index.html index e09e27449..a1584dd30 100644 --- a/samples/counter/apps/src/jsMain/resources/index.html +++ b/samples/counter/apps/src/jsMain/resources/index.html @@ -2,14 +2,13 @@ - ReadMe + Counter App -
- -
- +

Counter

+
+ \ No newline at end of file diff --git a/samples/counter/build.gradle.kts b/samples/counter/build.gradle.kts index 339ee0f13..a79197f3d 100644 --- a/samples/counter/build.gradle.kts +++ b/samples/counter/build.gradle.kts @@ -1,3 +1,7 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +import org.jetbrains.kotlin.gradle.targets.js.dsl.ExperimentalWasmDsl + // Copyright (C) 2022 Slack Technologies, LLC // SPDX-License-Identifier: Apache-2.0 plugins { @@ -13,9 +17,16 @@ kotlin { // region KMP Targets androidTarget { publishLibraryVariants("release") } jvm() - js { + js(IR) { moduleName = "counterbrowser" - nodejs() + browser() + } + if (hasProperty("enableWasm")) { + @OptIn(ExperimentalWasmDsl::class) + wasmJs { + moduleName = "counterbrowser" + browser() + } } listOf(iosX64(), iosArm64(), iosSimulatorArm64()).forEach { it.binaries.framework { baseName = "counter" } diff --git a/samples/star/coil-rule/src/commonMain/kotlin/com/slack/circuit/sample/coil/test/CoilRule.common.kt b/samples/star/coil-rule/src/commonMain/kotlin/com/slack/circuit/sample/coil/test/CoilRule.common.kt index 74f106db0..78ee7c793 100644 --- a/samples/star/coil-rule/src/commonMain/kotlin/com/slack/circuit/sample/coil/test/CoilRule.common.kt +++ b/samples/star/coil-rule/src/commonMain/kotlin/com/slack/circuit/sample/coil/test/CoilRule.common.kt @@ -10,8 +10,8 @@ import coil3.annotation.ExperimentalCoilApi import coil3.test.FakeImage import coil3.test.FakeImageLoaderEngine import kotlinx.coroutines.runBlocking -import org.jetbrains.compose.resources.ExperimentalResourceApi -import org.jetbrains.compose.resources.resource +import org.jetbrains.compose.resources.InternalResourceApi +import org.jetbrains.compose.resources.readResourceBytes import org.junit.rules.ExternalResource /** @@ -42,9 +42,9 @@ class CoilRule(private val factory: SingletonImageLoader.Factory = defaultFactor * [FakeImageLoaderEngine]. */ // TODO reading a path from another project doesn't appear to be supported - @OptIn(ExperimentalResourceApi::class) + @OptIn(InternalResourceApi::class) operator fun invoke(imageResourcePath: String): CoilRule { - val bytes = runBlocking { resource(imageResourcePath).readBytes() } + val bytes = runBlocking { readResourceBytes(imageResourcePath) } return CoilRule(factory = defaultFactory(createImageFromBytes(bytes))) } } diff --git a/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/AboutScreen.kt b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/AboutScreen.kt index 718621452..64f70900e 100644 --- a/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/AboutScreen.kt +++ b/samples/star/src/commonMain/kotlin/com/slack/circuit/star/home/AboutScreen.kt @@ -24,6 +24,7 @@ import com.slack.circuit.runtime.screen.Screen import com.slack.circuit.star.common.Strings import com.slack.circuit.star.di.AppScope import com.slack.circuit.star.parcel.CommonParcelize +import org.jetbrains.compose.resources.DrawableResource import org.jetbrains.compose.resources.ExperimentalResourceApi import org.jetbrains.compose.resources.painterResource @@ -47,7 +48,7 @@ fun About(modifier: Modifier = Modifier) { ) { Icon( modifier = Modifier.size(96.dp), - painter = painterResource("star_icon.png"), + painter = painterResource(DrawableResource("star_icon.png")), contentDescription = "STAR icon", tint = Color.Unspecified, ) diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt index 0ec888e93..fadf7df61 100644 --- a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/DetailScreen.kt @@ -6,14 +6,13 @@ import androidx.compose.foundation.layout.Arrangement.spacedBy import androidx.compose.foundation.layout.Column import androidx.compose.foundation.layout.padding import androidx.compose.material.icons.Icons -import androidx.compose.material.icons.filled.ArrowBack +import androidx.compose.material.icons.automirrored.filled.ArrowBack import androidx.compose.material3.Icon import androidx.compose.material3.IconButton import androidx.compose.material3.Scaffold import androidx.compose.material3.Text import androidx.compose.material3.TopAppBar import androidx.compose.runtime.Composable -import androidx.compose.runtime.getValue import androidx.compose.ui.Modifier import androidx.compose.ui.unit.dp import com.slack.circuit.runtime.CircuitContext @@ -72,7 +71,7 @@ fun EmailDetail(state: DetailScreen.State, modifier: Modifier = Modifier) { title = { Text(state.email.subject) }, navigationIcon = { IconButton(onClick = { state.eventSink(DetailScreen.Event.BackClicked) }) { - Icon(Icons.Default.ArrowBack, contentDescription = "Back") + Icon(Icons.AutoMirrored.Filled.ArrowBack, contentDescription = "Back") } }, ) From 95a0ad0bfd76b01a919f4468a8e2812c54c77af5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 28 Feb 2024 06:01:59 -0800 Subject: [PATCH 063/123] Update dagger to v2.51 (#1235) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.google.dagger:hilt-core](https://togithub.com/google/dagger) | dependencies | minor | `2.50` -> `2.51` | | [com.google.dagger:dagger](https://togithub.com/google/dagger) | dependencies | minor | `2.50` -> `2.51` | | [com.google.dagger:dagger-compiler](https://togithub.com/google/dagger) | dependencies | minor | `2.50` -> `2.51` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 734f022d4..72d3947d8 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -25,7 +25,7 @@ compose-jb = "1.6.0" compose-jb-compiler = "1.5.8.1" compose-jb-kotlinVersion = "1.9.22" compose-integration-constraintlayout = "1.0.1" -dagger = "2.50" +dagger = "2.51" datastore = "1.1.0-beta01" detekt = "1.23.5" dokka = "1.9.10" From b7350df2a2b8ebe52fc7b5bfbc9aee29efda5200 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 28 Feb 2024 06:02:15 -0800 Subject: [PATCH 064/123] Update molecule to v1.4.0 (#1238) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [app.cash.molecule](https://togithub.com/cashapp/molecule) | plugin | minor | `1.3.2` -> `1.4.0` | | [app.cash.molecule:molecule-runtime](https://togithub.com/cashapp/molecule) | dependencies | minor | `1.3.2` -> `1.4.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
cashapp/molecule (app.cash.molecule) ### [`v1.4.0`](https://togithub.com/cashapp/molecule/blob/HEAD/CHANGELOG.md#140---2024-02-27) [Compare Source](https://togithub.com/cashapp/molecule/compare/1.3.2...1.4.0) Changed: - Disable decoy generation for JS target to make compatible with JetBrains Compose 1.6. This is an ABI-breaking change, so all Compose-based libraries targeting JS will also need to have been recompiled. This version works with Kotlin 1.9.22 by default.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 72d3947d8..ba2061b71 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -42,7 +42,7 @@ ktor = "2.3.8" leakcanary = "2.13" material-composeThemeAdapter = "1.2.1" mavenPublish = "0.27.0" -molecule = "1.3.2" +molecule = "1.4.0" mosaic = "0.10.0" moshi = "1.15.1" moshix = "0.25.1" From eb73aacb2616815b6b6d0db67eebc069d40a7f67 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 28 Feb 2024 06:02:52 -0800 Subject: [PATCH 065/123] Update dependency dev.chrisbanes.material3:material3-window-size-class-multiplatform to v0.5.0 (#1237) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [dev.chrisbanes.material3:material3-window-size-class-multiplatform](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform) | dependencies | minor | `0.3.2` -> `0.5.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
chrisbanes/material3-windowsizeclass-multiplatform (dev.chrisbanes.material3:material3-window-size-class-multiplatform) ### [`v0.5.0`](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/releases/tag/0.5.0) [Compare Source](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/compare/0.3.2...0.5.0) #### What's Changed - Update dependency gradle to v8.3 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/29](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/29) - Update plugin com.android.application to v8.1.1 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/30](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/30) - Update plugin com.android.library to v8.1.1 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/31](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/31) - Update plugin com.diffplug.spotless to v6.21.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/34](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/34) - Update actions/checkout action to v4 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/35](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/35) - Update version in README by [@​Skaldebane](https://togithub.com/Skaldebane) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/44](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/44) - Update dependency com.willowtreeapps.assertk:assertk to v0.27.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/36](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/36) - Update plugin com.android.application to v8.1.3 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/37](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/37) - Update dependency gradle to v8.4 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/41](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/41) - Update plugin com.android.library to v8.1.4 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/38](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/38) - Various updates by [@​chrisbanes](https://togithub.com/chrisbanes) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/48](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/48) - Update plugin org.jetbrains.compose to v1.5.11 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/49](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/49) - Update actions/setup-java action to v4 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/51](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/51) - Update dependency gradle to v8.5 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/50](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/50) - Update dependency com.willowtreeapps.assertk:assertk to v0.28.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/56](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/56) - Update plugin com.android.library to v8.2.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/54](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/54) - Update kotlin monorepo to v1.9.21 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/55](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/55) - Update plugin com.android.application to v8.2.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/53](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/53) - Update actions/upload-artifact action to v4 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/61](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/61) - Update dependency androidx.activity:activity-compose to v1.8.2 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/60](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/60) - Update plugin com.vanniktech.maven.publish to v0.26.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/62](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/62) - Update plugin com.vanniktech.maven.publish to v0.27.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/66](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/66) - Update gradle/wrapper-validation-action action to v2 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/68](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/68) - Update plugin com.android.library to v8.2.2 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/65](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/65) - Update plugin org.jetbrains.compose to v1.5.12 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/67](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/67) - Update plugin com.android.application to v8.2.2 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/64](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/64) - Update dependency gradle to v8.6 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/69](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/69) - Update kotlin monorepo to v1.9.22 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/63](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/63) - Update to Compose Multiplatform 1.6.0 by [@​chrisbanes](https://togithub.com/chrisbanes) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/58](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/58) - Switch to UiContext compute method by [@​alexvanyo](https://togithub.com/alexvanyo) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/71](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/71) - Update plugin org.jetbrains.compose to v1.6.0-beta02 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/70](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/70) - Update plugin org.jetbrains.compose to v1.6.0-rc01 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/72](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/72) - Update plugin org.jetbrains.compose to v1.6.0-rc02 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/73](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/73) - Update plugin org.jetbrains.compose to v1.6.0 by [@​renovate](https://togithub.com/renovate) in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/74](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/74) #### New Contributors - [@​Skaldebane](https://togithub.com/Skaldebane) made their first contribution in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/44](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/44) - [@​alexvanyo](https://togithub.com/alexvanyo) made their first contribution in [https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/71](https://togithub.com/chrisbanes/material3-windowsizeclass-multiplatform/pull/71) **Full Changelog**: https://github.com/chrisbanes/material3-windowsizeclass-multiplatform/compare/v0.3.1...0.5.0
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index ba2061b71..d8b20162c 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -282,7 +282,7 @@ turbine = { module = "app.cash.turbine:turbine", version.ref = "turbine" } # KMP UUID uuid = "com.benasher44:uuid:0.8.2" -windowSizeClass = "dev.chrisbanes.material3:material3-window-size-class-multiplatform:0.3.2" +windowSizeClass = "dev.chrisbanes.material3:material3-window-size-class-multiplatform:0.5.0" [bundles] androidx-activity = ["androidx-activity", "androidx-activity-ktx"] From 5b823d6e65cdc0cdb9d1bd6b5e65f931eae0191d Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 28 Feb 2024 06:50:35 -0800 Subject: [PATCH 066/123] Update dependency com.jakewharton.mosaic to v0.11.0 (#1236) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.jakewharton.mosaic](https://togithub.com/JakeWharton/mosaic) | plugin | minor | `0.10.0` -> `0.11.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
JakeWharton/mosaic (com.jakewharton.mosaic) ### [`v0.11.0`](https://togithub.com/JakeWharton/mosaic/blob/HEAD/CHANGELOG.md#0110---2023-02-27) [Compare Source](https://togithub.com/JakeWharton/mosaic/compare/0.10.0...0.11.0) New: - Support Kotlin 1.9.22 via JetBrains Compose compiler 1.5.10. - `Filler` composable is like a `Spacer` but fills its area with a character instead of a space. - `Box` without content provides the ability to render using drawing modifiers without needing an empty chidlren lambda. - `Modifier.aspectRatio` attempts to constrain a composable to an aspect ratio in either the vertical or horizontal direction. - `Modifier.offset` offsets the composable in its parent by the given coordinates. - `Modifier.fillMaxWidth`, `Modifier.fillMaxHeight`, `Modifier.fillMaxSize`, `Modifier.wrapContentWidth`, `Modifier.wrapContentHeight`, `Modifier.wrapContentSize`, and `Modifier.defaultMinSize` help size composable measurement in relation to their parent. - `Modifier.weight` allows sizing a composable proportionally to others within the same parent. - `Row` and `Column` each feature an arrangement parameter which controls the placement of children on the main axis of the container. Changed: - `Modifier` parameter is now universally called `modifier` in the API. - Disable decoy generation for JS target to make compatible with JetBrains Compose 1.6. This is an ABI-breaking change, so all Compose-based libraries targeting JS will also need to have been recompiled. Fix: - Ensure ANSI control sequences are written properly to Windows terminals. - Robot sample now correctly moves on Windows. This version works with Kotlin 1.9.22 by default.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index d8b20162c..5b14208ca 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -43,7 +43,7 @@ leakcanary = "2.13" material-composeThemeAdapter = "1.2.1" mavenPublish = "0.27.0" molecule = "1.4.0" -mosaic = "0.10.0" +mosaic = "0.11.0" moshi = "1.15.1" moshix = "0.25.1" okhttp = "5.0.0-alpha.12" From 8a99c476a8eaefb9be53f11f97a5dc21b6a99d14 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 28 Feb 2024 13:31:28 -0800 Subject: [PATCH 067/123] Update molecule to v1.4.1 (#1240) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [app.cash.molecule](https://togithub.com/cashapp/molecule) | plugin | patch | `1.4.0` -> `1.4.1` | | [app.cash.molecule:molecule-runtime](https://togithub.com/cashapp/molecule) | dependencies | patch | `1.4.0` -> `1.4.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
cashapp/molecule (app.cash.molecule) ### [`v1.4.1`](https://togithub.com/cashapp/molecule/blob/HEAD/CHANGELOG.md#141---2024-02-28) [Compare Source](https://togithub.com/cashapp/molecule/compare/1.4.0...1.4.1) New: - Support for `linuxArm64` and `wasmJs` targets.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 5b14208ca..1b3a17874 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -42,7 +42,7 @@ ktor = "2.3.8" leakcanary = "2.13" material-composeThemeAdapter = "1.2.1" mavenPublish = "0.27.0" -molecule = "1.4.0" +molecule = "1.4.1" mosaic = "0.11.0" moshi = "1.15.1" moshix = "0.25.1" From 3997f7069fbf478683b10e5c324f2b2545543ff5 Mon Sep 17 00:00:00 2001 From: Andreas Date: Thu, 29 Feb 2024 16:01:24 +0100 Subject: [PATCH 068/123] Fix rememberImpressionNavigator() not delegating PopResult (#1244) --- .../kotlin/com/slack/circuitx/effects/ImpressionEffect.kt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt b/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt index 53e7f2834..dd82adf11 100644 --- a/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt +++ b/circuitx/effects/src/commonMain/kotlin/com/slack/circuitx/effects/ImpressionEffect.kt @@ -79,7 +79,7 @@ private class OnNavEventNavigator(val delegate: Navigator, val onNavEvent: () -> override fun pop(result: PopResult?): Screen? { onNavEvent() - return delegate.pop() + return delegate.pop(result) } override fun peek(): Screen? = delegate.peek() From e872c4981468b76092f30840cb0649a85ae5912c Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 29 Feb 2024 07:08:35 -0800 Subject: [PATCH 069/123] Update coil3 to v3.0.0-alpha05 (#1241) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.coil-kt.coil3:coil-test](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha04` -> `3.0.0-alpha05` | | [io.coil-kt.coil3:coil-network-okhttp](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha04` -> `3.0.0-alpha05` | | [io.coil-kt.coil3:coil-network-ktor](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha04` -> `3.0.0-alpha05` | | [io.coil-kt.coil3:coil-compose-core](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha04` -> `3.0.0-alpha05` | | [io.coil-kt.coil3:coil](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha04` -> `3.0.0-alpha05` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
coil-kt/coil (io.coil-kt.coil3:coil-test) ### [`v3.0.0-alpha05`](https://togithub.com/coil-kt/coil/blob/HEAD/CHANGELOG.md#300-alpha05---February-28-2024) [Compare Source](https://togithub.com/coil-kt/coil/compare/3.0.0-alpha04...3.0.0-alpha05) - **New**: Support the `wasmJs` target. - Create `DrawablePainter` and `DrawableImage` to support drawing `Image`s that aren't backed by a `Bitmap` on non-Android platforms. - The `Image` APIs are experimental and likely to change between alpha releases. - Update `ContentPainterModifier` to implement `Modifier.Node`. - Fix: Lazily register component callbacks and the network observer on a background thread. This fixes slow initialization that would typically occur on the main thread. - Fix: Fix `ImageLoader.Builder.placeholder/error/fallback` not being used by `ImageRequest`. - Update Compose to 1.6.0. - Update Coroutines to 1.8.0. - Update Okio to 3.8.0. - Update Skiko to 0.7.94. - [For the full list of important changes in 3.x, check out the upgrade guide.](https://coil-kt.github.io/coil/upgrading_to_coil3/)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 1b3a17874..effa013ae 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -10,7 +10,7 @@ anvil = "2.4.9" atomicfu = "0.23.2" benchmark = "1.2.3" coil = "2.6.0" -coil3 = "3.0.0-alpha04" +coil3 = "3.0.0-alpha05" compose-animation = "1.6.2" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository From 98b35129b0a835cd3bbc2409aa34fbabb132e532 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 2 Mar 2024 00:11:49 -0800 Subject: [PATCH 070/123] Update coil3 to v3.0.0-alpha06 (#1248) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.coil-kt.coil3:coil-test](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha05` -> `3.0.0-alpha06` | | [io.coil-kt.coil3:coil-network-okhttp](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha05` -> `3.0.0-alpha06` | | [io.coil-kt.coil3:coil-network-ktor](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha05` -> `3.0.0-alpha06` | | [io.coil-kt.coil3:coil-compose-core](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha05` -> `3.0.0-alpha06` | | [io.coil-kt.coil3:coil](https://togithub.com/coil-kt/coil) | dependencies | patch | `3.0.0-alpha05` -> `3.0.0-alpha06` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
coil-kt/coil (io.coil-kt.coil3:coil-test) ### [`v3.0.0-alpha06`](https://togithub.com/coil-kt/coil/blob/HEAD/CHANGELOG.md#300-alpha06---February-29-2024) [Compare Source](https://togithub.com/coil-kt/coil/compare/3.0.0-alpha05...3.0.0-alpha06) - Downgrade Skiko to 0.7.93. - [For the full list of important changes in 3.x, check out the upgrade guide.](https://coil-kt.github.io/coil/upgrading_to_coil3/)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index effa013ae..2e47697b7 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -10,7 +10,7 @@ anvil = "2.4.9" atomicfu = "0.23.2" benchmark = "1.2.3" coil = "2.6.0" -coil3 = "3.0.0-alpha05" +coil3 = "3.0.0-alpha06" compose-animation = "1.6.2" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository From 4753a32bc065e03b3d64528c657aa5f3e4967089 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 3 Mar 2024 00:10:38 -0800 Subject: [PATCH 071/123] Update dependency app.cash.paparazzi to v1.3.3 (#1255) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [app.cash.paparazzi](https://togithub.com/cashapp/paparazzi) | plugin | patch | `1.3.2` -> `1.3.3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
cashapp/paparazzi (app.cash.paparazzi) ### [`v1.3.3`](https://togithub.com/cashapp/paparazzi/blob/HEAD/CHANGELOG.md#133---2024-03-01) [Compare Source](https://togithub.com/cashapp/paparazzi/compare/1.3.2...1.3.3) ##### New - Migrate Paparazzi to layoutlib Hedgehog 2023.1.1 - Compose 1.5.8 - Kotlin 1.9.22 - \[Gradle Plugin] Gradle 8.6 - \[Gradle Plugin] Android Gradle Plugin 8.2.1 ##### Fixed - Update the DeviceConfig screenWidth internally for accessibility tests - Fix variant caching issues in new resource/asset loading mechanisms - Remove legacy resources/assets loading mechanism - Set HardwareConfig width and height based on orientation - Apply round screen qualifier to device config - Restrict Paparazzi's public API - Remove obsolete NEXUS\_5\_LAND DeviceConfig - Fix formatting so that all digits show upon failure - Stop resolving dependencies at configuration time - Use our own internal HandlerDispatcher for Compose Ui tests - Include generated string resources - Reset logger to prevent swallowing exceptions Kudos to [@​gamepro65](https://togithub.com/gamepro65), [@​kevinzheng-ap](https://togithub.com/kevinzheng-ap), [@​BrianGardnerAtl](https://togithub.com/BrianGardnerAtl), [@​adamalyyan](https://togithub.com/adamalyyan), and others for contributions this release!
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 2e47697b7..dddac4b2c 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -48,7 +48,7 @@ moshi = "1.15.1" moshix = "0.25.1" okhttp = "5.0.0-alpha.12" okio = "3.8.0" -paparazzi = "1.3.2" +paparazzi = "1.3.3" picnic = "0.7.0" retrofit = "2.9.0" robolectric = "4.11.1" From dd46aa793780dd8e495a99344c68a3eef10fd607 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 3 Mar 2024 17:02:51 -0800 Subject: [PATCH 072/123] Update dependency python-dateutil to v2.9.0.post0 (#1251) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [python-dateutil](https://togithub.com/dateutil/dateutil) | minor | `==2.8.2` -> `==2.9.0.post0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
dateutil/dateutil (python-dateutil) ### [`v2.9.0.post0`](https://togithub.com/dateutil/dateutil/releases/tag/2.9.0.post0) [Compare Source](https://togithub.com/dateutil/dateutil/compare/2.9.0...2.9.0.post0) ### Version 2.9.0.post0 (2024-03-01) #### Bugfixes - Pinned `setuptools_scm` to `<8`, which should make the generated `_version.py` file compatible with all supported versions of Python. ### [`v2.9.0`](https://togithub.com/dateutil/dateutil/releases/tag/2.9.0) [Compare Source](https://togithub.com/dateutil/dateutil/compare/2.8.2...2.9.0) ### Version 2.9.0 (2024-02-29) #### Data updates - Updated tzdata version to 2024a. (gh pr [#​1342](https://togithub.com/dateutil/dateutil/issues/1342)) #### Features - Made all `dateutil` submodules lazily imported using [PEP 562](https://www.python.org/dev/peps/pep-0562/). On Python 3.7+, things like `import dateutil; dateutil.tz.gettz("America/New_York")` will now work without explicitly importing `dateutil.tz`, with the import occurring behind the scenes on first use. The old behavior remains on Python 3.6 and earlier. Fixed by Orson Adams. (gh issue [#​771](https://togithub.com/dateutil/dateutil/issues/771), gh pr [#​1007](https://togithub.com/dateutil/dateutil/issues/1007)) #### Bugfixes - Removed a call to `datetime.utcfromtimestamp`, which is deprecated as of Python 3.12. Reported by Hugo van Kemenade (gh pr [#​1284](https://togithub.com/dateutil/dateutil/issues/1284)), fixed by Thomas Grainger (gh pr [#​1285](https://togithub.com/dateutil/dateutil/issues/1285)). #### Documentation changes - Added note into docs and tests where relativedelta would return last day of the month only if the same day on a different month resolves to a date that doesn't exist. Reported by [@​hawkEye-01](https://togithub.com/hawkEye-01) (gh issue [#​1167](https://togithub.com/dateutil/dateutil/issues/1167)). Fixed by [@​Mifrill](https://togithub.com/Mifrill) (gh pr [#​1168](https://togithub.com/dateutil/dateutil/issues/1168))
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index b1f4d0c56..1c4e747d6 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -11,7 +11,7 @@ mkdocs-material==9.5.11 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7 -python-dateutil==2.8.2 +python-dateutil==2.9.0.post0 PyYAML==6.0.1 repackage==0.7.3 six==1.16.0 From 38ae81187d3400e2c9afe22eeda0a5e5f5515f59 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 3 Mar 2024 17:04:11 -0800 Subject: [PATCH 073/123] Update dependency com.google.truth:truth to v1.4.2 (#1249) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.google.truth:truth](https://togithub.com/google/truth) | dependencies | patch | `1.4.1` -> `1.4.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
google/truth (com.google.truth:truth) ### [`v1.4.2`](https://togithub.com/google/truth/releases/tag/v1.4.2): 1.4.2 This release is the final step of copying all our methods from `Truth8` to `Truth`. If you have not already migrated your usages from `Truth8` to `Truth`, you may see build errors: OptionalSubjectTest.java:39: error: reference to assertThat is ambiguous assertThat(Optional.of("foo")).isPresent(); ^ both method assertThat(@​org.checkerframework.checker.nullness.qual.Nullable Optional) in Truth8 and method assertThat(@​org.checkerframework.checker.nullness.qual.Nullable Optional) in Truth match In most cases, you can migrate your whole project mechanically: `git grep -l Truth8 | xargs perl -pi -e 's/\bTruth8\b/Truth/g;'`. (You can make that change before upgrading to Truth 1.4.2 or as part of the same commit.) If you instead need to migrate your project incrementally (for example, because it is very large), you may want to upgrade your version of Truth incrementally, too, following our instructions for [1.3.0](https://togithub.com/google/truth/releases/tag/v1.3.0) and [1.4.0](https://togithub.com/google/truth/releases/tag/v1.4.0). #### For help Please feel welcome to [open an issue](https://togithub.com/google/truth/issues/new) to report problems or request help. #### Changelog - Removed temporary type parameters from `Truth.assertThat(Stream)` and `Truth.assertThat(Optional)`. This can create build errors, which you can fix by replacing all your references to `Truth8` with references to `Truth`. ([`45782bd`](https://togithub.com/google/truth/commit/45782bd0e))
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index dddac4b2c..06216bd62 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -276,7 +276,7 @@ telephoto-zoomableImageCoil = { module = "me.saket.telephoto:zoomable-image-coil testing-assertk = "com.willowtreeapps.assertk:assertk:0.28.0" testing-espresso-core = "androidx.test.espresso:espresso-core:3.5.1" testing-testParameterInjector = { module = "com.google.testparameterinjector:test-parameter-injector", version.ref = "testParameterInjector" } -truth = "com.google.truth:truth:1.4.1" +truth = "com.google.truth:truth:1.4.2" turbine = { module = "app.cash.turbine:turbine", version.ref = "turbine" } # KMP UUID From e4c3eaeb0d1e1ec7ff3993a94da75cfb6ea4559b Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 3 Mar 2024 17:04:14 -0800 Subject: [PATCH 074/123] Update dependency mkdocs-material to v9.5.12 (#1242) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.11` -> `==9.5.12` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.12`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.12): mkdocs-material-9.5.12 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.11...9.5.12) - Fixed [#​6846](https://togithub.com/squidfunk/mkdocs-material/issues/6846): Some meta tags removed on instant navigation (9.4.2 regression) - Fixed [#​6823](https://togithub.com/squidfunk/mkdocs-material/issues/6823): KaTex not rendering on instant navigation (9.5.5 regression) - Fixed [#​6821](https://togithub.com/squidfunk/mkdocs-material/issues/6821): Privacy plugin doesn't handle URLs with encoded characters
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 1c4e747d6..bb3d82ee9 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.5.2 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.11 +mkdocs-material==9.5.12 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7 From 34242bb5832201f6490d774af6293b4e5f9913d9 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 3 Mar 2024 18:01:02 -0800 Subject: [PATCH 075/123] Update agp to v8.3.0 (#1250) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.android.test](https://developer.android.com/studio/build) ([source](https://android.googlesource.com/platform/tools/base)) | plugin | minor | `8.2.2` -> `8.3.0` | | [com.android.library](https://developer.android.com/studio/build) ([source](https://android.googlesource.com/platform/tools/base)) | plugin | minor | `8.2.2` -> `8.3.0` | | [com.android.application](https://developer.android.com/studio/build) ([source](https://android.googlesource.com/platform/tools/base)) | plugin | minor | `8.2.2` -> `8.3.0` | | [com.android.tools.build:gradle](http://tools.android.com/) ([source](https://android.googlesource.com/platform/tools/base)) | dependencies | minor | `8.2.2` -> `8.3.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- backstack/build.gradle.kts | 4 +++- build.gradle.kts | 2 +- circuit-foundation/build.gradle.kts | 2 ++ circuit-overlay/build.gradle.kts | 8 +++++++- circuit-retained/build.gradle.kts | 12 +++++++----- circuit-runtime-presenter/build.gradle.kts | 8 +++++++- circuit-runtime-screen/build.gradle.kts | 2 +- circuit-runtime-ui/build.gradle.kts | 8 +++++++- circuit-runtime/build.gradle.kts | 8 +++++++- circuit-test/build.gradle.kts | 6 ++++++ circuitx/android/build.gradle.kts | 2 ++ circuitx/effects/build.gradle.kts | 6 ++++++ circuitx/gesture-navigation/build.gradle.kts | 4 +++- circuitx/overlays/build.gradle.kts | 4 +++- gradle/libs.versions.toml | 5 ++++- samples/counter/apps/build.gradle.kts | 2 +- samples/counter/build.gradle.kts | 2 +- samples/star/build.gradle.kts | 2 ++ samples/tutorial/build.gradle.kts | 2 +- 19 files changed, 71 insertions(+), 18 deletions(-) diff --git a/backstack/build.gradle.kts b/backstack/build.gradle.kts index e652316a0..909d9ceb6 100644 --- a/backstack/build.gradle.kts +++ b/backstack/build.gradle.kts @@ -53,6 +53,8 @@ kotlin { implementation(libs.androidx.lifecycle.viewModel.compose) api(libs.androidx.lifecycle.viewModel) api(libs.androidx.compose.runtime) + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) } } val commonTest by getting { @@ -83,7 +85,7 @@ tasks.withType>().con android { namespace = "com.slack.circuit.backstack" } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } baselineProfile { mergeIntoMain = true diff --git a/build.gradle.kts b/build.gradle.kts index 50a87c050..4ff8209d6 100644 --- a/build.gradle.kts +++ b/build.gradle.kts @@ -319,7 +319,7 @@ subprojects { } // Common android config - val commonAndroidConfig: CommonExtension<*, *, *, *, *>.() -> Unit = { + val commonAndroidConfig: CommonExtension<*, *, *, *, *, *>.() -> Unit = { compileSdk = 34 if (hasCompose) { diff --git a/circuit-foundation/build.gradle.kts b/circuit-foundation/build.gradle.kts index 0f57faf64..11068ad1c 100644 --- a/circuit-foundation/build.gradle.kts +++ b/circuit-foundation/build.gradle.kts @@ -55,6 +55,8 @@ kotlin { api(libs.androidx.compose.runtime) api(libs.androidx.compose.animation) implementation(libs.androidx.compose.integration.activity) + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) } } val commonTest by getting { diff --git a/circuit-overlay/build.gradle.kts b/circuit-overlay/build.gradle.kts index 0f2395a4e..356593c74 100644 --- a/circuit-overlay/build.gradle.kts +++ b/circuit-overlay/build.gradle.kts @@ -64,12 +64,18 @@ kotlin { implementation(libs.compose.test.junit4) } } + androidMain { + dependencies { + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) + } + } } } android { namespace = "com.slack.circuit.overlay" } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } baselineProfile { mergeIntoMain = true diff --git a/circuit-retained/build.gradle.kts b/circuit-retained/build.gradle.kts index 384e652d5..4b7036062 100644 --- a/circuit-retained/build.gradle.kts +++ b/circuit-retained/build.gradle.kts @@ -48,6 +48,7 @@ kotlin { api(libs.androidx.lifecycle.viewModel) api(libs.androidx.compose.runtime) implementation(libs.androidx.compose.ui.ui) + implementation(libs.guava.listenablefuture) } } @@ -69,15 +70,16 @@ kotlin { val androidInstrumentedTest by getting { dependencies { commonJvmTest() - implementation(libs.coroutines) - implementation(libs.coroutines.android) - implementation(projects.circuitRetained) + implementation(libs.androidx.compose.foundation) implementation(libs.androidx.compose.integration.activity) + implementation(libs.androidx.compose.material.material) implementation(libs.androidx.compose.ui.testing.junit) - implementation(libs.androidx.compose.foundation) implementation(libs.androidx.compose.ui.ui) - implementation(libs.androidx.compose.material.material) + implementation(libs.coroutines) + implementation(libs.coroutines.android) + implementation(libs.guava.listenablefuture) implementation(libs.leakcanary.android.instrumentation) + implementation(projects.circuitRetained) } } } diff --git a/circuit-runtime-presenter/build.gradle.kts b/circuit-runtime-presenter/build.gradle.kts index 494302e64..51d740a4e 100644 --- a/circuit-runtime-presenter/build.gradle.kts +++ b/circuit-runtime-presenter/build.gradle.kts @@ -40,12 +40,18 @@ kotlin { api(projects.circuitRuntimeScreen) } } + androidMain { + dependencies { + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) + } + } } } android { namespace = "com.slack.circuit.runtime.presenter" } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } baselineProfile { mergeIntoMain = true diff --git a/circuit-runtime-screen/build.gradle.kts b/circuit-runtime-screen/build.gradle.kts index 10507a8be..aa377669b 100644 --- a/circuit-runtime-screen/build.gradle.kts +++ b/circuit-runtime-screen/build.gradle.kts @@ -45,7 +45,7 @@ kotlin { android { namespace = "com.slack.circuit.runtime.screen" } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } baselineProfile { mergeIntoMain = true diff --git a/circuit-runtime-ui/build.gradle.kts b/circuit-runtime-ui/build.gradle.kts index 358ddf2fa..aa8c2de0a 100644 --- a/circuit-runtime-ui/build.gradle.kts +++ b/circuit-runtime-ui/build.gradle.kts @@ -41,12 +41,18 @@ kotlin { api(projects.circuitRuntimeScreen) } } + androidMain { + dependencies { + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) + } + } } } android { namespace = "com.slack.circuit.runtime.ui" } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } baselineProfile { mergeIntoMain = true diff --git a/circuit-runtime/build.gradle.kts b/circuit-runtime/build.gradle.kts index d1cf1ac2a..6c15e8ca1 100644 --- a/circuit-runtime/build.gradle.kts +++ b/circuit-runtime/build.gradle.kts @@ -43,12 +43,18 @@ kotlin { api(projects.circuitRuntimeScreen) } } + androidMain { + dependencies { + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) + } + } } } android { namespace = "com.slack.circuit.runtime" } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } baselineProfile { mergeIntoMain = true diff --git a/circuit-test/build.gradle.kts b/circuit-test/build.gradle.kts index 551e2ef3f..ecabacd7b 100644 --- a/circuit-test/build.gradle.kts +++ b/circuit-test/build.gradle.kts @@ -63,6 +63,12 @@ kotlin { } val jvmTest by getting { dependsOn(commonJvmTest) } val androidUnitTest by getting { dependsOn(commonJvmTest) } + androidMain { + dependencies { + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) + } + } } } diff --git a/circuitx/android/build.gradle.kts b/circuitx/android/build.gradle.kts index 00e7a06da..eefc35344 100644 --- a/circuitx/android/build.gradle.kts +++ b/circuitx/android/build.gradle.kts @@ -12,4 +12,6 @@ android { namespace = "com.slack.circuitx.android" } dependencies { implementation(libs.androidx.annotation) api(projects.circuitRuntime) + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) } diff --git a/circuitx/effects/build.gradle.kts b/circuitx/effects/build.gradle.kts index cf410dfbc..497be1fc2 100644 --- a/circuitx/effects/build.gradle.kts +++ b/circuitx/effects/build.gradle.kts @@ -42,6 +42,12 @@ kotlin { implementation(projects.circuitFoundation) } } + androidMain { + dependencies { + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) + } + } val commonTest by getting { dependencies { implementation(compose.foundation) diff --git a/circuitx/gesture-navigation/build.gradle.kts b/circuitx/gesture-navigation/build.gradle.kts index ce01e4852..8ed72535b 100644 --- a/circuitx/gesture-navigation/build.gradle.kts +++ b/circuitx/gesture-navigation/build.gradle.kts @@ -41,11 +41,13 @@ kotlin { } } - val androidMain by getting { + androidMain { dependencies { api(libs.compose.material.material3) implementation(libs.compose.uiUtil) implementation(libs.androidx.activity.compose) + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) } } diff --git a/circuitx/overlays/build.gradle.kts b/circuitx/overlays/build.gradle.kts index a1ff7ceba..a6f704ad3 100644 --- a/circuitx/overlays/build.gradle.kts +++ b/circuitx/overlays/build.gradle.kts @@ -44,10 +44,12 @@ kotlin { } } - val androidMain by getting { + androidMain { dependencies { api(libs.androidx.compose.material.material3) implementation(libs.androidx.compose.accompanist.systemUi) + // Because guava's dependencies are a tangled mess + implementation(libs.guava.listenablefuture) } } } diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 06216bd62..4e7915bf0 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -5,7 +5,7 @@ androidx-annotation = "1.7.1" androidx-appcompat = "1.6.1" androidx-browser = "1.7.0" androidx-lifecycle = "2.7.0" -agp = "8.2.2" +agp = "8.3.0" anvil = "2.4.9" atomicfu = "0.23.2" benchmark = "1.2.3" @@ -214,6 +214,9 @@ desugarJdkLibs = "com.android.tools:desugar_jdk_libs:2.0.4" eithernet = { module = "com.slack.eithernet:eithernet", version.ref = "eithernet" } eithernet-testFixtures = { module = "com.slack.eithernet:eithernet", version.ref = "eithernet" } +# Cover for guava's annoying conflicting artifacts +guava-listenablefuture = "com.google.guava:listenablefuture:9999.0-empty-to-avoid-conflict-with-guava" + hilt = { module = "com.google.dagger:hilt-core", version.ref = "dagger" } jline = "org.jline:jline:3.25.1" jsoup = "org.jsoup:jsoup:1.17.2" diff --git a/samples/counter/apps/build.gradle.kts b/samples/counter/apps/build.gradle.kts index 8e21c2110..8d0d36c30 100644 --- a/samples/counter/apps/build.gradle.kts +++ b/samples/counter/apps/build.gradle.kts @@ -19,7 +19,7 @@ android { } } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } compose.desktop { application { mainClass = "com.slack.circuit.sample.counter.desktop.DesktopCounterCircuitKt" } diff --git a/samples/counter/build.gradle.kts b/samples/counter/build.gradle.kts index a79197f3d..0cd3fcda5 100644 --- a/samples/counter/build.gradle.kts +++ b/samples/counter/build.gradle.kts @@ -54,4 +54,4 @@ kotlin { android { namespace = "com.slack.circuit.sample.counter" } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } diff --git a/samples/star/build.gradle.kts b/samples/star/build.gradle.kts index f3f7d6cf4..8d47efdb2 100644 --- a/samples/star/build.gradle.kts +++ b/samples/star/build.gradle.kts @@ -110,6 +110,7 @@ kotlin { implementation(libs.compose.material.icons) implementation(libs.dagger) implementation(libs.eithernet) + implementation(libs.guava.listenablefuture) implementation(libs.jsoup) implementation(libs.coil3.network.okhttp) implementation(libs.ktor.client.engine.okhttp) @@ -169,6 +170,7 @@ kotlin { implementation(libs.androidx.compose.ui.testing.junit) implementation(libs.androidx.compose.ui.testing.manifest) implementation(libs.coroutines.test) + implementation(libs.guava.listenablefuture) implementation(libs.junit) implementation(libs.leakcanary.android.instrumentation) implementation(libs.truth) diff --git a/samples/tutorial/build.gradle.kts b/samples/tutorial/build.gradle.kts index b1a9b9096..5ca30044e 100644 --- a/samples/tutorial/build.gradle.kts +++ b/samples/tutorial/build.gradle.kts @@ -19,7 +19,7 @@ android { } } -androidComponents { beforeVariants { variant -> variant.enableAndroidTest = false } } +androidComponents { beforeVariants { variant -> variant.androidTest.enable = false } } kotlin { androidTarget() From be1b3fab107bbf0035fd3695c96df18193c3ec67 Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Sun, 3 Mar 2024 20:09:20 -0800 Subject: [PATCH 076/123] Add a `key` to CircuitContent to keep UI and Presenter consistent (#1254) In order to resolve #1169 this keys the ui and presenter together so they behave the same. Here's the *CircuitContent cases this covers: #### 1. NavigableCircuitContent #### - The ui and presenter are retain based on the record, as the `Screen` can't change without a new record instance. #### 2. CircuitContent #### - **a)** Each `Screen` instance is a new "page" and would behave the same as `NavigableCircuitContent`, by being keyed on the `Screen` instance. - **b)** The `Screen` is a model, and it's used to update the current `CircuitContent` state, as if it were another Compose element. This is potentially common with a "widget" sub-circuit case. --- .../circuit/foundation/CircuitContent.kt | 52 ++-- .../foundation/NavigableCircuitContent.kt | 1 + .../foundation/KeyedCircuitContentTests.kt | 243 ++++++++++++++++++ 3 files changed, 273 insertions(+), 23 deletions(-) create mode 100644 circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/KeyedCircuitContentTests.kt diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt index f5fdd877b..899353632 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/CircuitContent.kt @@ -27,8 +27,9 @@ public fun CircuitContent( circuit: Circuit = requireNotNull(LocalCircuit.current), unavailableContent: (@Composable (screen: Screen, modifier: Modifier) -> Unit) = circuit.onUnavailableContent, + key: Any? = screen, ) { - CircuitContent(screen, Navigator.NoOp, modifier, circuit, unavailableContent) + CircuitContent(screen, Navigator.NoOp, modifier, circuit, unavailableContent, key) } @Composable @@ -39,6 +40,7 @@ public fun CircuitContent( circuit: Circuit = requireNotNull(LocalCircuit.current), unavailableContent: (@Composable (screen: Screen, modifier: Modifier) -> Unit) = circuit.onUnavailableContent, + key: Any? = screen, ) { val navigator = remember(onNavEvent) { @@ -66,7 +68,7 @@ public fun CircuitContent( override fun peekBackStack(): ImmutableList = persistentListOf(screen) } } - CircuitContent(screen, navigator, modifier, circuit, unavailableContent) + CircuitContent(screen, navigator, modifier, circuit, unavailableContent, key) } @Composable @@ -77,6 +79,7 @@ public fun CircuitContent( circuit: Circuit = requireNotNull(LocalCircuit.current), unavailableContent: (@Composable (screen: Screen, modifier: Modifier) -> Unit) = circuit.onUnavailableContent, + key: Any? = screen, ) { val parent = LocalCircuitContext.current @OptIn(InternalCircuitApi::class) @@ -85,7 +88,7 @@ public fun CircuitContent( CircuitContext(parent).also { it.circuit = circuit } } CompositionLocalProvider(LocalCircuitContext provides context) { - CircuitContent(screen, modifier, navigator, circuit, unavailableContent, context) + CircuitContent(screen, modifier, navigator, circuit, unavailableContent, context, key) } } @@ -97,6 +100,7 @@ internal fun CircuitContent( circuit: Circuit, unavailableContent: (@Composable (screen: Screen, modifier: Modifier) -> Unit), context: CircuitContext, + key: Any? = screen, ) { val eventListener = rememberEventListener(screen, context, factory = circuit.eventListenerFactory) DisposableEffect(eventListener, screen, context) { onDispose { eventListener.dispose() } } @@ -106,7 +110,7 @@ internal fun CircuitContent( val ui = rememberUi(screen, context, eventListener, circuit::ui) if (ui != null && presenter != null) { - (CircuitContent(screen, modifier, presenter, ui, eventListener)) + (CircuitContent(screen, modifier, presenter, ui, eventListener, key)) } else { eventListener.onUnavailableContent(screen, presenter, ui, context) unavailableContent(screen, modifier) @@ -120,29 +124,31 @@ public fun CircuitContent( presenter: Presenter, ui: Ui, eventListener: EventListener = EventListener.NONE, -) { - DisposableEffect(screen) { - eventListener.onStartPresent() - - onDispose { eventListener.onDisposePresent() } - } + key: Any? = screen, +): Unit = + // While the screen is different, in the eyes of compose its position is _the same_, meaning + // we need to wrap the ui and presenter in a key() to force recomposition if it changes. A good + // example case of this is when you have code that calls CircuitContent with a common screen with + // different inputs (but thus same presenter instance type) and you need this to recompose with + // a different presenter. + key(key) { + DisposableEffect(screen) { + eventListener.onStartPresent() + + onDispose { eventListener.onDisposePresent() } + } - // While the presenter is different, in the eyes of compose its position is _the same_, meaning - // we need to wrap the presenter in a key() to force recomposition if it changes. A good example - // case of this is when you have code that calls CircuitContent with a common screen with - // different inputs (but thus same presenter instance type) and you need this to recompose with a - // different presenter. - val state = key(screen) { presenter.present() } + val state = presenter.present() - // TODO not sure why stateFlow + LaunchedEffect + distinctUntilChanged doesn't work here - SideEffect { eventListener.onState(state) } - DisposableEffect(screen) { - eventListener.onStartContent() + // TODO not sure why stateFlow + LaunchedEffect + distinctUntilChanged doesn't work here + SideEffect { eventListener.onState(state) } + DisposableEffect(screen) { + eventListener.onStartContent() - onDispose { eventListener.onDisposeContent() } + onDispose { eventListener.onDisposeContent() } + } + ui.Content(state, modifier) } - ui.Content(state, modifier) -} /** * Remembers a new [EventListener] instance for the given [screen] and [context]. diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt index 968d8c33a..fc09b6ccf 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt @@ -189,6 +189,7 @@ private fun BackStack.buildCircuitContentProviders( navigator = lastNavigator, circuit = lastCircuit, unavailableContent = lastUnavailableRoute, + key = record.key, ) }, ) diff --git a/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/KeyedCircuitContentTests.kt b/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/KeyedCircuitContentTests.kt new file mode 100644 index 000000000..ed3aaf711 --- /dev/null +++ b/circuit-foundation/src/jvmTest/kotlin/com/slack/circuit/foundation/KeyedCircuitContentTests.kt @@ -0,0 +1,243 @@ +// Copyright (C) 2024 Slack Technologies, LLC +// SPDX-License-Identifier: Apache-2.0 +package com.slack.circuit.foundation + +import androidx.compose.foundation.layout.Column +import androidx.compose.material.Text +import androidx.compose.runtime.Composable +import androidx.compose.runtime.MutableState +import androidx.compose.runtime.getValue +import androidx.compose.runtime.mutableStateOf +import androidx.compose.runtime.setValue +import androidx.compose.ui.Modifier +import androidx.compose.ui.platform.testTag +import androidx.compose.ui.test.assertTextEquals +import androidx.compose.ui.test.junit4.ComposeContentTestRule +import androidx.compose.ui.test.junit4.createComposeRule +import androidx.compose.ui.test.onNodeWithTag +import com.slack.circuit.backstack.rememberSaveableBackStack +import com.slack.circuit.retained.rememberRetained +import com.slack.circuit.runtime.CircuitUiState +import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.presenter.Presenter +import com.slack.circuit.runtime.screen.Screen +import org.junit.Rule +import org.junit.Test +import org.junit.runner.RunWith + +private const val TAG_UI_RETAINED = "TAG_UI_RETAINED" +private const val TAG_PRESENTER_RETAINED = "TAG_PRESENTER_RETAINED" +private const val TAG_STATE = "TAG_STATE" + +/** + * This is testing the following use cases for using [CircuitContent] based on + * https://github.com/slackhq/circuit/issues/1169. + * + * Uses: + * 1. [NavigableCircuitContent] + * - The ui and presenter are retain based on the record, as the [Screen] can't change without a new + * record instance. + * 2. [CircuitContent] + * - a) Each [Screen] instance is a new "page" and would behave the same as + * [NavigableCircuitContent], by being keyed on the [Screen] instance. + * - b) The [Screen] is a model, and it's used to update the current [CircuitContent] state, as if + * it were another Compose element. This is potentially common with a "widget" sub-circuit case. + */ +@RunWith(ComposeUiTestRunner::class) +class KeyedCircuitContentTests { + + @get:Rule val composeTestRule = createComposeRule() + + private val circuit = + Circuit.Builder() + .addPresenter { screen, _, _ -> ScreenAPresenter(screen) } + .addUi { state, modifier -> ScreenAUi(state, modifier) } + .addPresenter { screen, _, _ -> ScreenBPresenter(screen) } + .addUi { state, modifier -> ScreenBUi(state, modifier) } + .build() + + @Test + fun one() { + composeTestRule.run { + val navigator = setUpTestOneContent() + // Initial + onNodeWithTag(TAG_STATE).assertTextEquals("1") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("1") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("1") + // Push a new ScreenA + navigator.goTo(ScreenA(2)) + onNodeWithTag(TAG_STATE).assertTextEquals("4") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("4") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("4") + // Push a new ScreenA + navigator.goTo(ScreenA(3)) + onNodeWithTag(TAG_STATE).assertTextEquals("9") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("9") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("9") + // Push a new ScreenB + navigator.goTo(ScreenB("abc")) + onNodeWithTag(TAG_STATE).assertTextEquals("cba") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("cba") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("cba") + // Back one + navigator.pop() + onNodeWithTag(TAG_STATE).assertTextEquals("9") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("9") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("9") + // Back two + navigator.pop() + onNodeWithTag(TAG_STATE).assertTextEquals("4") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("4") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("4") + } + } + + @Test + fun twoA() { + composeTestRule.run { + var screenState by setUpTestTwoAContent() + // Initial + onNodeWithTag(TAG_STATE).assertTextEquals("1") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("1") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("1") + // Set a new ScreenA + screenState = ScreenA(2) + onNodeWithTag(TAG_STATE).assertTextEquals("4") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("4") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("4") + // Set a new ScreenA + screenState = ScreenA(3) + onNodeWithTag(TAG_STATE).assertTextEquals("9") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("9") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("9") + // Set a new ScreenB + screenState = ScreenB("abc") + onNodeWithTag(TAG_STATE).assertTextEquals("cba") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("cba") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("cba") + // Back to a ScreenA + screenState = ScreenA(3) + onNodeWithTag(TAG_STATE).assertTextEquals("9") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("9") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("9") + // Back to another ScreenA + screenState = ScreenA(2) + onNodeWithTag(TAG_STATE).assertTextEquals("4") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("4") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("4") + } + } + + @Test + fun twoB() { + composeTestRule.run { + var screenState by setUpTestTwoBContent() + // Initial + onNodeWithTag(TAG_STATE).assertTextEquals("1") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("1") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("1") + // Set a new ScreenA + screenState = ScreenA(2) + onNodeWithTag(TAG_STATE).assertTextEquals("4") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("1") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("1") + // Set a new ScreenA + screenState = ScreenA(3) + onNodeWithTag(TAG_STATE).assertTextEquals("9") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("1") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("1") + // Set a new ScreenB + screenState = ScreenB("abc") + onNodeWithTag(TAG_STATE).assertTextEquals("cba") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("cba") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("cba") + // Back to a ScreenA + screenState = ScreenA(3) + onNodeWithTag(TAG_STATE).assertTextEquals("9") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("9") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("9") + // Back to another ScreenA + screenState = ScreenA(2) + onNodeWithTag(TAG_STATE).assertTextEquals("4") + onNodeWithTag(TAG_UI_RETAINED).assertTextEquals("9") + onNodeWithTag(TAG_PRESENTER_RETAINED).assertTextEquals("9") + } + } + + private fun ComposeContentTestRule.setUpTestOneContent(screen: Screen = ScreenA(1)): Navigator { + lateinit var navigator: Navigator + setContent { + CircuitCompositionLocals(circuit) { + val backStack = rememberSaveableBackStack(screen) + navigator = rememberCircuitNavigator(backStack = backStack, onRootPop = {}) + NavigableCircuitContent(navigator = navigator, backStack = backStack) + } + } + return navigator + } + + private fun ComposeContentTestRule.setUpTestTwoAContent( + screen: Screen = ScreenA(1) + ): MutableState { + val screenState = mutableStateOf(screen) + setContent { CircuitCompositionLocals(circuit) { CircuitContent(screenState.value) } } + return screenState + } + + private fun ComposeContentTestRule.setUpTestTwoBContent( + screen: Screen = ScreenA(1) + ): MutableState { + val screenState = mutableStateOf(screen) + setContent { + CircuitCompositionLocals(circuit) { + CircuitContent(screenState.value, key = screenState.value::class) + } + } + return screenState + } +} + +private class ScreenA(val num: Int) : Screen { + class State(val numSquare: Int, val retainedNumSquare: Int) : CircuitUiState +} + +private class ScreenAPresenter(val screen: ScreenA) : Presenter { + @Composable + override fun present(): ScreenA.State { + val square = rememberRetained { screen.num * screen.num } + return ScreenA.State(screen.num * screen.num, square) + } +} + +@Composable +private fun ScreenAUi(state: ScreenA.State, modifier: Modifier = Modifier) { + Column(modifier) { + val retained = rememberRetained { state.numSquare } + Text(text = "$retained", modifier = Modifier.testTag(TAG_UI_RETAINED)) + Text(text = "${state.numSquare}", modifier = Modifier.testTag(TAG_STATE)) + Text(text = "${state.retainedNumSquare}", modifier = Modifier.testTag(TAG_PRESENTER_RETAINED)) + } +} + +private class ScreenB(val text: String) : Screen { + + class State(val textReverse: String, val retainedTextReverse: String) : CircuitUiState +} + +private class ScreenBPresenter(val screen: ScreenB) : Presenter { + @Composable + override fun present(): ScreenB.State { + val textReverse = rememberRetained { screen.text.reversed() } + return ScreenB.State(screen.text.reversed(), textReverse) + } +} + +@Composable +private fun ScreenBUi(state: ScreenB.State, modifier: Modifier = Modifier) { + Column(modifier) { + val retained = rememberRetained { state.textReverse } + Text(text = retained, modifier = Modifier.testTag(TAG_UI_RETAINED)) + Text(text = state.textReverse, modifier = Modifier.testTag(TAG_STATE)) + Text(text = state.retainedTextReverse, modifier = Modifier.testTag(TAG_PRESENTER_RETAINED)) + } +} From 93cdbe3d970e2c7ec09ed4e5152b476b6719e5d8 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 4 Mar 2024 02:22:11 -0500 Subject: [PATCH 077/123] Improve error messaging when using assisted inject (#1246) Resolves #477 --- .../codegen/CircuitSymbolProcessorProvider.kt | 70 ++++++++++++++-- .../codegen/CircuitSymbolProcessorTest.kt | 84 ++++++++++++++++--- 2 files changed, 134 insertions(+), 20 deletions(-) diff --git a/circuit-codegen/src/main/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorProvider.kt b/circuit-codegen/src/main/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorProvider.kt index 60d7d07ec..172e8865f 100644 --- a/circuit-codegen/src/main/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorProvider.kt +++ b/circuit-codegen/src/main/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorProvider.kt @@ -8,6 +8,7 @@ import com.google.auto.service.AutoService import com.google.devtools.ksp.KspExperimental import com.google.devtools.ksp.containingFile import com.google.devtools.ksp.getAllSuperTypes +import com.google.devtools.ksp.getConstructors import com.google.devtools.ksp.getVisibility import com.google.devtools.ksp.isAnnotationPresent import com.google.devtools.ksp.processing.CodeGenerator @@ -20,6 +21,7 @@ import com.google.devtools.ksp.processing.SymbolProcessorEnvironment import com.google.devtools.ksp.processing.SymbolProcessorProvider import com.google.devtools.ksp.symbol.ClassKind import com.google.devtools.ksp.symbol.KSAnnotated +import com.google.devtools.ksp.symbol.KSAnnotation import com.google.devtools.ksp.symbol.KSClassDeclaration import com.google.devtools.ksp.symbol.KSDeclaration import com.google.devtools.ksp.symbol.KSFunctionDeclaration @@ -46,9 +48,11 @@ import com.squareup.kotlinpoet.ksp.toClassName import com.squareup.kotlinpoet.ksp.toTypeName import com.squareup.kotlinpoet.ksp.writeTo import dagger.assisted.AssistedFactory +import dagger.assisted.AssistedInject import java.util.Locale import javax.inject.Inject import javax.inject.Provider +import kotlin.reflect.KClass private const val CIRCUIT_RUNTIME_BASE_PACKAGE = "com.slack.circuit.runtime" private const val DAGGER_PACKAGE = "dagger" @@ -170,10 +174,16 @@ private class CircuitSymbolProcessor( codegenMode: CodegenMode, ) { val circuitInjectAnnotation = - annotatedElement.annotations.first { - it.annotationType.resolve().declaration.qualifiedName?.asString() == - CIRCUIT_INJECT_ANNOTATION.canonicalName + annotatedElement.getKSAnnotationsWithLeniency(CIRCUIT_INJECT_ANNOTATION).single() + + // If we annotated a class, check that the class isn't using assisted inject. If so, error and + // return + if (instantiationType == InstantiationType.CLASS) { + (annotatedElement as KSClassDeclaration).checkForAssistedInjection { + return } + } + val screenKSType = circuitInjectAnnotation.arguments[0].value as KSType val screenIsObject = screenKSType.declaration.let { it is KSClassDeclaration && it.classKind == ClassKind.OBJECT } @@ -255,6 +265,53 @@ private class CircuitSymbolProcessor( ) } + private fun KSClassDeclaration.findConstructorAnnotatedWith( + annotation: KClass + ): KSFunctionDeclaration? { + return getConstructors().singleOrNull { constructor -> + constructor.isAnnotationPresentWithLeniency(annotation) + } + } + + private inline fun KSClassDeclaration.checkForAssistedInjection(exit: () -> Nothing) { + // Check for an AssistedInject constructor + if (findConstructorAnnotatedWith(AssistedInject::class) != null) { + val assistedFactory = + declarations.filterIsInstance().find { + it.isAnnotationPresentWithLeniency(AssistedFactory::class) + } + val suffix = + if (assistedFactory != null) " (${assistedFactory.qualifiedName?.asString()})" else "" + logger.error( + "When using @CircuitInject with an @AssistedInject-annotated class, you must " + + "put the @CircuitInject annotation on the @AssistedFactory-annotated nested class$suffix.", + this, + ) + exit() + } + } + + private fun KSAnnotated.isAnnotationPresentWithLeniency(annotation: KClass) = + getKSAnnotationsWithLeniency(annotation).any() + + private fun KSAnnotated.getKSAnnotationsWithLeniency(annotation: KClass) = + getKSAnnotationsWithLeniency(annotation.asClassName()) + + private fun KSAnnotated.getKSAnnotationsWithLeniency( + annotation: ClassName + ): Sequence { + val simpleName = annotation.simpleName + return if (lenient) { + annotations.filter { it.shortName.asString() == simpleName } + } else { + val qualifiedName = annotation.canonicalName + this.annotations.filter { + it.shortName.getShortName() == simpleName && + it.annotationType.resolve().declaration.qualifiedName?.asString() == qualifiedName + } + } + } + private data class FactoryData( val className: String, val packageName: String, @@ -381,12 +438,7 @@ private class CircuitSymbolProcessor( declaration.checkVisibility(logger) { return null } - val isAssisted = - if (lenient) { - declaration.annotations.any { it.shortName.asString().contains("AssistedFactory") } - } else { - declaration.isAnnotationPresent(AssistedFactory::class) - } + val isAssisted = declaration.isAnnotationPresentWithLeniency(AssistedFactory::class) val creatorOrConstructor: KSFunctionDeclaration? val targetClass: KSClassDeclaration if (isAssisted) { diff --git a/circuit-codegen/src/test/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorTest.kt b/circuit-codegen/src/test/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorTest.kt index ebd7045dd..f407b556d 100644 --- a/circuit-codegen/src/test/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorTest.kt +++ b/circuit-codegen/src/test/kotlin/com/slack/circuit/codegen/CircuitSymbolProcessorTest.kt @@ -349,7 +349,6 @@ class CircuitSymbolProcessorTest { import androidx.compose.ui.Modifier @CircuitInject(FavoritesScreen::class, AppScope::class) - @Composable class Favorites : Ui { @Composable override fun Content(state: FavoritesScreen.State, modifier: Modifier) { @@ -398,7 +397,6 @@ class CircuitSymbolProcessorTest { import javax.inject.Inject @CircuitInject(FavoritesScreen::class, AppScope::class) - @Composable class Favorites @Inject constructor() : Ui { @Composable override fun Content(state: FavoritesScreen.State, modifier: Modifier) { @@ -451,7 +449,6 @@ class CircuitSymbolProcessorTest { import dagger.assisted.AssistedFactory import dagger.assisted.AssistedInject - @Composable class Favorites @AssistedInject constructor( @Assisted private val screen: FavoritesScreen, ) : Ui { @@ -656,7 +653,6 @@ class CircuitSymbolProcessorTest { import androidx.compose.runtime.Composable @CircuitInject(FavoritesScreen::class, AppScope::class) - @Composable class FavoritesPresenter : Presenter { @Composable override fun present(): FavoritesScreen.State { @@ -709,7 +705,6 @@ class CircuitSymbolProcessorTest { import javax.inject.Inject @CircuitInject(FavoritesScreen::class, AppScope::class) - @Composable class FavoritesPresenter @Inject constructor() : Presenter { @Composable override fun present(): FavoritesScreen.State { @@ -767,7 +762,6 @@ class CircuitSymbolProcessorTest { import dagger.assisted.AssistedFactory import dagger.assisted.AssistedInject - @Composable class FavoritesPresenter @AssistedInject constructor( @Assisted private val screen: FavoritesScreen, @Assisted private val navigator: Navigator, @@ -835,7 +829,6 @@ class CircuitSymbolProcessorTest { import dagger.assisted.AssistedInject import dagger.hilt.components.SingletonComponent - @Composable class FavoritesPresenter @AssistedInject constructor( @Assisted private val screen: FavoritesScreen, @Assisted private val navigator: Navigator, @@ -901,7 +894,6 @@ class CircuitSymbolProcessorTest { import dagger.assisted.AssistedInject import dagger.hilt.components.SingletonComponent - @Composable class FavoritesPresenter @AssistedInject constructor( @Assisted private val screen: FavoritesScreen, @Assisted private val navigator: Navigator, @@ -1020,7 +1012,6 @@ class CircuitSymbolProcessorTest { } - @Composable class Favorites @AssistedInject constructor( @Assisted private val someString: String, ) : Ui { @@ -1042,7 +1033,6 @@ class CircuitSymbolProcessorTest { } - @Composable class FavoritesPresenter @AssistedInject constructor( @Assisted private val someString: String, ) : Presenter { @@ -1079,7 +1069,6 @@ class CircuitSymbolProcessorTest { import androidx.compose.ui.Modifier @CircuitInject(FavoritesScreen::class, AppScope::class) - @Composable class Favorites { @Composable fun Content(state: FavoritesScreen.State, modifier: Modifier) { @@ -1146,6 +1135,79 @@ class CircuitSymbolProcessorTest { } } + @Test + fun invalidAssistedInjection() { + assertProcessingError( + sourceFile = + kotlin( + "InvalidAssistedInjection.kt", + """ + package test + + import com.slack.circuit.codegen.annotations.CircuitInject + import androidx.compose.runtime.Composable + import dagger.assisted.Assisted + import dagger.assisted.AssistedInject + import dagger.assisted.AssistedFactory + + @CircuitInject(FavoritesScreen::class, AppScope::class) + class Favorites @AssistedInject constructor(@Assisted input: String) : Presenter { + @Composable + override fun present(): FavoritesScreen.State { + + } + + @AssistedFactory + fun interface Factory { + fun create(input: String): Favorites + } + } + """ + .trimIndent(), + ) + ) { messages -> + assertThat(messages) + .contains( + "When using @CircuitInject with an @AssistedInject-annotated class, you must put " + + "the @CircuitInject annotation on the @AssistedFactory-annotated nested" + + " class (test.Favorites.Factory)." + ) + } + } + + @Test + fun invalidAssistedInjection_missingFactory() { + assertProcessingError( + sourceFile = + kotlin( + "InvalidAssistedInjection.kt", + """ + package test + + import com.slack.circuit.codegen.annotations.CircuitInject + import androidx.compose.runtime.Composable + import dagger.assisted.Assisted + import dagger.assisted.AssistedInject + + @CircuitInject(FavoritesScreen::class, AppScope::class) + class Favorites @AssistedInject constructor(@Assisted input: String) : Presenter { + @Composable + override fun present(): FavoritesScreen.State { + + } + } + """ + .trimIndent(), + ) + ) { messages -> + assertThat(messages) + .contains( + "When using @CircuitInject with an @AssistedInject-annotated class, you must put " + + "the @CircuitInject annotation on the @AssistedFactory-annotated nested class." + ) + } + } + private enum class CodegenMode { ANVIL, HILT From 11b3246807d2431c08759309656e745c87f7c80a Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Tue, 5 Mar 2024 13:30:15 -0800 Subject: [PATCH 078/123] Navigator - Pass `PopResult` to `onRootPop` (#1256) For some cases (mostly interop) it's useful to pass the `PopResult` to the default `onRootPop` lambda. --- .../slack/circuit/foundation/Navigator.android.kt | 5 +++-- .../com/slack/circuit/foundation/NavigatorImpl.kt | 12 +++++++----- .../sample/counter/desktop/DesktopCounterCircuit.kt | 2 +- .../jvmMain/kotlin/com/slack/circuit/star/main.kt | 2 +- .../kotlin/com/slack/circuit/tutorial/impl/main.kt | 2 +- 5 files changed, 13 insertions(+), 10 deletions(-) diff --git a/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt b/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt index 1a4137c5c..dfcd7e3a6 100644 --- a/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt +++ b/circuit-foundation/src/androidMain/kotlin/com/slack/circuit/foundation/Navigator.android.kt @@ -8,6 +8,7 @@ import androidx.compose.runtime.Composable import com.slack.circuit.backstack.BackStack import com.slack.circuit.backstack.BackStack.Record import com.slack.circuit.runtime.Navigator +import com.slack.circuit.runtime.screen.PopResult /** * Returns a new [Navigator] for navigating within [CircuitContents][CircuitContent]. Delegates @@ -34,11 +35,11 @@ public fun rememberCircuitNavigator( } @Composable -private fun backDispatcherRootPop(): () -> Unit { +private fun backDispatcherRootPop(): (result: PopResult?) -> Unit { val onBackPressedDispatcher = LocalOnBackPressedDispatcherOwner.current?.onBackPressedDispatcher ?: error("No OnBackPressedDispatcherOwner found, unable to handle root navigation pops.") - return onBackPressedDispatcher::onBackPressed + return { onBackPressedDispatcher.onBackPressed() } } private fun onBack(backStack: BackStack, navigator: Navigator): () -> Unit = { diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt index 742fedc99..9494527e9 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigatorImpl.kt @@ -27,7 +27,7 @@ import kotlinx.collections.immutable.persistentListOf @Composable public fun rememberCircuitNavigator( backStack: BackStack, - onRootPop: () -> Unit, + onRootPop: (result: PopResult?) -> Unit, ): Navigator { return remember { Navigator(backStack, onRootPop) } } @@ -40,12 +40,14 @@ public fun rememberCircuitNavigator( * button. * @see NavigableCircuitContent */ -public fun Navigator(backStack: BackStack, onRootPop: () -> Unit): Navigator = - NavigatorImpl(backStack, onRootPop) +public fun Navigator( + backStack: BackStack, + onRootPop: (result: PopResult?) -> Unit, +): Navigator = NavigatorImpl(backStack, onRootPop) internal class NavigatorImpl( private val backStack: BackStack, - private val onRootPop: () -> Unit, + private val onRootPop: (result: PopResult?) -> Unit, ) : Navigator { init { @@ -58,7 +60,7 @@ internal class NavigatorImpl( override fun pop(result: PopResult?): Screen? { if (backStack.isAtRoot) { - onRootPop() + onRootPop(result) return null } diff --git a/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt b/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt index 8be0f2496..a2c8e8115 100644 --- a/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt +++ b/samples/counter/apps/src/jvmMain/kotlin/com/slack/circuit/sample/counter/desktop/DesktopCounterCircuit.kt @@ -152,7 +152,7 @@ fun main() = application { ) { val initialBackStack = persistentListOf(DesktopCounterScreen) val backStack = rememberSaveableBackStack(initialBackStack) - val navigator = rememberCircuitNavigator(backStack, ::exitApplication) + val navigator = rememberCircuitNavigator(backStack) { exitApplication() } val circuit: Circuit = Circuit.Builder() diff --git a/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt b/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt index 9db26d77b..02eb01787 100644 --- a/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt +++ b/samples/star/src/jvmMain/kotlin/com/slack/circuit/star/main.kt @@ -41,7 +41,7 @@ fun main() { application { val initialBackStack = persistentListOf(HomeScreen) val backStack = rememberSaveableBackStack(initialBackStack) - val circuitNavigator = rememberCircuitNavigator(backStack, ::exitApplication) + val circuitNavigator = rememberCircuitNavigator(backStack) { exitApplication() } val navigator = remember(circuitNavigator) { object : Navigator by circuitNavigator { diff --git a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt index 7844e0b45..d41a13b1b 100644 --- a/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt +++ b/samples/tutorial/src/jvmMain/kotlin/com/slack/circuit/tutorial/impl/main.kt @@ -25,7 +25,7 @@ fun main() { Window(title = "Tutorial", onCloseRequest = ::exitApplication) { MaterialTheme { val backStack = rememberSaveableBackStack(InboxScreen) - val navigator = rememberCircuitNavigator(backStack, ::exitApplication) + val navigator = rememberCircuitNavigator(backStack) { exitApplication() } CircuitCompositionLocals(circuit) { NavigableCircuitContent(navigator = navigator, backStack = backStack) } From 1776b12fffceb64a3b55697388c7d6d08ac6b36f Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 5 Mar 2024 14:23:25 -0800 Subject: [PATCH 079/123] Update dependency pymdown-extensions to v10.7.1 (#1258) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [pymdown-extensions](https://togithub.com/facelessuser/pymdown-extensions) | patch | `==10.7` -> `==10.7.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
facelessuser/pymdown-extensions (pymdown-extensions) ### [`v10.7.1`](https://togithub.com/facelessuser/pymdown-extensions/releases/tag/10.7.1) [Compare Source](https://togithub.com/facelessuser/pymdown-extensions/compare/10.7...10.7.1) #### 10.7.1 - **FIX**: SmartSymbols: Ensure symbols are properly translated in table of content tokens.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index bb3d82ee9..0adb7b9ae 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -10,7 +10,7 @@ mkdocs-macros-plugin==1.0.5 mkdocs-material==9.5.12 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 -pymdown-extensions==10.7 +pymdown-extensions==10.7.1 python-dateutil==2.9.0.post0 PyYAML==6.0.1 repackage==0.7.3 From f04deaf7ae486ebea3aecbe944cc72a99c231ade Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 5 Mar 2024 14:31:02 -0800 Subject: [PATCH 080/123] Update dependency org.jetbrains.dokka to v1.9.20 (#1257) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [org.jetbrains.dokka](https://togithub.com/Kotlin/dokka) | plugin | patch | `1.9.10` -> `1.9.20` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
Kotlin/dokka (org.jetbrains.dokka) ### [`v1.9.20`](https://togithub.com/Kotlin/dokka/releases/tag/v1.9.20): 1.9.20 #### General bugfixes - Fixed sealed interfaces not having the `sealed` keyword in signatures ([https://github.com/Kotlin/dokka/issues/2994](https://togithub.com/Kotlin/dokka/issues/2994)) - Fixed incorrect links in multi-module projects with non-unique package names ([https://github.com/Kotlin/dokka/issues/2272](https://togithub.com/Kotlin/dokka/issues/2272)). Huge thanks to [@​EddieRingle](https://togithub.com/EddieRingle)! - Fixed member extensions not being shown on index pages in certain scenarios ([https://github.com/Kotlin/dokka/issues/3187](https://togithub.com/Kotlin/dokka/issues/3187)) - Fixed Java's inner classes not having the `inner` keyword in Kotlin signatures ([https://github.com/Kotlin/dokka/issues/2793](https://togithub.com/Kotlin/dokka/issues/2793)) - Fixed Java's `@param` tag not working with type parameters ([https://github.com/Kotlin/dokka/issues/3199](https://togithub.com/Kotlin/dokka/issues/3199)) - Fixed Dokka failing in KMP projects when the JVM source set is suppressed ([https://github.com/Kotlin/dokka/issues/3209](https://togithub.com/Kotlin/dokka/issues/3209)) #### HTML format - Provide an ability to add a custom homepage link to the header, more details in [https://github.com/Kotlin/dokka/issues/2948#issuecomment-1976723089](https://togithub.com/Kotlin/dokka/issues/2948#issuecomment-1976723089) - Fixed tab selection resetting after navigating to a different page ([https://github.com/Kotlin/dokka/issues/2899](https://togithub.com/Kotlin/dokka/issues/2899)) - Fixed inline code not always being aligned with the surrounding text ([https://github.com/Kotlin/dokka/issues/3228](https://togithub.com/Kotlin/dokka/issues/3228)) - Fixed the "No options found" text in search being barely visible ([https://github.com/Kotlin/dokka/issues/3281](https://togithub.com/Kotlin/dokka/issues/3281)) - Fixed empty HTML tags being rendered for no reason ([https://github.com/Kotlin/dokka/pull/3343](https://togithub.com/Kotlin/dokka/pull/3343), [https://github.com/Kotlin/dokka/issues/3095](https://togithub.com/Kotlin/dokka/issues/3095)) #### Runners ##### Gradle Plugin - Mark tasks as not compatible with Gradle configuration cache, second try ([https://github.com/Kotlin/dokka/pull/3438](https://togithub.com/Kotlin/dokka/pull/3438)). Thanks to [@​3flex](https://togithub.com/3flex) for noticing and fixing the problem! ##### Maven Plugin - Fixed `dokka:help` being absent ([https://github.com/Kotlin/dokka/issues/3035](https://togithub.com/Kotlin/dokka/issues/3035)). Thanks to [@​aSemy](https://togithub.com/aSemy)! - Fixed the source links configuration not working ([https://github.com/Kotlin/dokka/pull/3046](https://togithub.com/Kotlin/dokka/pull/3046)). Thanks to [@​freya022](https://togithub.com/freya022) for fixing this one! ##### CLI runner - Allow using relative paths in the `sourceRoots` configuration option ([https://github.com/Kotlin/dokka/issues/2571](https://togithub.com/Kotlin/dokka/issues/2571)) #### Plugin API - Provide an extension point to customize the rendering of code blocks in HTML format ([https://github.com/Kotlin/dokka/issues/3244](https://togithub.com/Kotlin/dokka/issues/3244)) #### Other: - Make sure `wasm-js` and `wasm-wasi` targets introduced in Kotlin 1.9.20 are supported ([https://github.com/Kotlin/dokka/issues/3310](https://togithub.com/Kotlin/dokka/issues/3310)) - Avoid concurrent invocations of Kotlin compiler's API due to the compiler API itself not always being thread safe ([https://github.com/Kotlin/dokka/issues/3151](https://togithub.com/Kotlin/dokka/issues/3151)). No noticeable performance loss is expected. - Bump dependencies to the latest versions ([https://github.com/Kotlin/dokka/pull/3231](https://togithub.com/Kotlin/dokka/pull/3231), [https://github.com/Kotlin/dokka/pull/3206](https://togithub.com/Kotlin/dokka/pull/3206), [https://github.com/Kotlin/dokka/pull/3204](https://togithub.com/Kotlin/dokka/pull/3204)) - Fix a documentation link ([https://github.com/Kotlin/dokka/pull/3213](https://togithub.com/Kotlin/dokka/pull/3213)). Thanks to [@​SubhrajyotiSen](https://togithub.com/SubhrajyotiSen) for noticing and fixing it! - Various build and project structure improvements ([https://github.com/Kotlin/dokka/pull/3174](https://togithub.com/Kotlin/dokka/pull/3174), [https://github.com/Kotlin/dokka/issues/3132](https://togithub.com/Kotlin/dokka/issues/3132)). Enormous thanks to [@​aSemy](https://togithub.com/aSemy) for the help! See [Dokka 1.9.20](https://togithub.com/Kotlin/dokka/milestone/30?closed=1) milestone for the list of all changes.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 4e7915bf0..0063cf120 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -28,7 +28,7 @@ compose-integration-constraintlayout = "1.0.1" dagger = "2.51" datastore = "1.1.0-beta01" detekt = "1.23.5" -dokka = "1.9.10" +dokka = "1.9.20" eithernet = "1.8.1" jdk = "21" jvmTarget = "11" From 80e3a91a7db9fb2ea4e000bc01f936ddb98fd154 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 5 Mar 2024 14:31:05 -0800 Subject: [PATCH 081/123] Update ktor to v2.3.9 (#1259) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.ktor:ktor-serialization-kotlinx-json](https://togithub.com/ktorio/ktor) | dependencies | patch | `2.3.8` -> `2.3.9` | | [io.ktor:ktor-client-js](https://togithub.com/ktorio/ktor) | dependencies | patch | `2.3.8` -> `2.3.9` | | [io.ktor:ktor-client-okhttp](https://togithub.com/ktorio/ktor) | dependencies | patch | `2.3.8` -> `2.3.9` | | [io.ktor:ktor-client-content-negotiation](https://togithub.com/ktorio/ktor) | dependencies | patch | `2.3.8` -> `2.3.9` | | [io.ktor:ktor-client-core](https://togithub.com/ktorio/ktor) | dependencies | patch | `2.3.8` -> `2.3.9` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
ktorio/ktor (io.ktor:ktor-serialization-kotlinx-json) ### [`v2.3.9`](https://togithub.com/ktorio/ktor/releases/tag/2.3.9) [Compare Source](https://togithub.com/ktorio/ktor/compare/2.3.8...2.3.9) > Published 4 March 2024 ##### Improvements - Allow to set secure cookie even with http scheme ([KTOR-3159](https://youtrack.jetbrains.com/issue/KTOR-3159)) ##### Bugfixes - ContentNegotiation: the plugin appends duplicated MIME type to Accept header ([KTOR-6684](https://youtrack.jetbrains.com/issue/KTOR-6684))
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 0063cf120..273990962 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -38,7 +38,7 @@ kotlinpoet = "1.16.0" kotlinx-coroutines = "1.8.0" ksp = "1.9.22-1.0.17" ktfmt = "0.47" -ktor = "2.3.8" +ktor = "2.3.9" leakcanary = "2.13" material-composeThemeAdapter = "1.2.1" mavenPublish = "0.27.0" From eb685543cb523b3f3bf286f8908f96b74526c60e Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 01:10:06 -0800 Subject: [PATCH 082/123] Update dependency mkdocs-material to v9.5.13 (#1261) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.12` -> `==9.5.13` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.13`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.13): mkdocs-material-9.5.13 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.12...9.5.13) - Updated Slovak translations - Improved info plugin interop with projects plugin - Improved info plugin inclusion/exclusion logic - Fixed info plugin not gathering files recursively - Fixed [#​6750](https://togithub.com/squidfunk/mkdocs-material/issues/6750): Ensure info plugin packs up all necessary files Thanks to [@​kamilkrzyskow](https://togithub.com/kamilkrzyskow) and [@​scepka](https://togithub.com/scepka) for their contributions
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 0adb7b9ae..945ad0e21 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.5.2 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.12 +mkdocs-material==9.5.13 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7.1 From c6553d02b4a205e8c4f53647fa83e941f4e9c831 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 06:38:24 -0800 Subject: [PATCH 083/123] Update dependency androidx.browser:browser to v1.8.0 (#1271) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.browser:browser](https://developer.android.com/jetpack/androidx/releases/browser#1.8.0) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | minor | `1.7.0` -> `1.8.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 273990962..5dd1e5e41 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -3,7 +3,7 @@ accompanist = "0.34.0" androidx-activity = "1.8.2" androidx-annotation = "1.7.1" androidx-appcompat = "1.6.1" -androidx-browser = "1.7.0" +androidx-browser = "1.8.0" androidx-lifecycle = "2.7.0" agp = "8.3.0" anvil = "2.4.9" From b20a0bb2379362785d827ab5998048d8b922b42e Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 06:38:35 -0800 Subject: [PATCH 084/123] Update dependency androidx.datastore:datastore-preferences to v1.1.0-beta02 (#1269) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.datastore:datastore-preferences](https://developer.android.com/jetpack/androidx/releases/datastore#1.1.0-dev01) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.1.0-beta01` -> `1.1.0-beta02` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 5dd1e5e41..c3bb249a6 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -26,7 +26,7 @@ compose-jb-compiler = "1.5.8.1" compose-jb-kotlinVersion = "1.9.22" compose-integration-constraintlayout = "1.0.1" dagger = "2.51" -datastore = "1.1.0-beta01" +datastore = "1.1.0-beta02" detekt = "1.23.5" dokka = "1.9.20" eithernet = "1.8.1" From 502471a4f8c7bc99317febbc3baf6508432d89f3 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 06:38:45 -0800 Subject: [PATCH 085/123] Update dependency androidx.compose:compose-bom to v2024.02.02 (#1268) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose:compose-bom](https://developer.android.com/jetpack) | dependencies | patch | `2024.02.01` -> `2024.02.02` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index c3bb249a6..59e81ea6a 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -111,7 +111,7 @@ androidx-compose-accompanist-placeholder = { module = "com.google.accompanist:ac androidx-compose-accompanist-swiperefresh = { module = "com.google.accompanist:accompanist-swiperefresh", version.ref = "accompanist" } androidx-compose-accompanist-systemUi = { module = "com.google.accompanist:accompanist-systemuicontroller", version.ref = "accompanist" } androidx-compose-animation = { module = "androidx.compose.animation:animation", version.ref = "compose-animation" } -androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.02.01" } +androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.02.02" } androidx-compose-compiler = { module = "androidx.compose.compiler:compiler", version.ref = "compose-compiler-version" } # Foundation (Border, Background, Box, Image, Scroll, shapes, animations, etc.) androidx-compose-foundation = { module = "androidx.compose.foundation:foundation", version.ref = "compose-foundation" } From a1da3015349b430b946c63d6bbf4435747dc8cfc Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 06:38:54 -0800 Subject: [PATCH 086/123] Update dependency androidx.compose.animation:animation to v1.6.3 (#1265) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.animation:animation](https://developer.android.com/jetpack/androidx/releases/compose-animation#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 59e81ea6a..18b516b1c 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -11,7 +11,7 @@ atomicfu = "0.23.2" benchmark = "1.2.3" coil = "2.6.0" coil3 = "3.0.0-alpha06" -compose-animation = "1.6.2" +compose-animation = "1.6.3" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.10" From 9650b41f76b19ba35187ee7f56c71781b5a4f44a Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 06:39:02 -0800 Subject: [PATCH 087/123] Update compose.material to v1.6.3 (#1262) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.material:material](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.material:material-icons-core](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 18b516b1c..90e02c0b7 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -17,7 +17,7 @@ compose-animation = "1.6.3" compose-compiler-version = "1.5.10" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.2" -compose-material = "1.6.2" +compose-material = "1.6.3" compose-material3 = "1.2.0" compose-runtime = "1.6.2" compose-ui = "1.6.2" From 873fa2f00c202fe50556fa11095baacc268d69bb Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 06:39:32 -0800 Subject: [PATCH 088/123] Update compose.ui to v1.6.3 (#1264) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.ui:ui-viewbinding](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-util](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-unit](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-tooling-preview](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-tooling-data](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-tooling](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-text](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-test-manifest](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-test-junit4](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.ui:ui-graphics](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 90e02c0b7..b50841625 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -20,7 +20,7 @@ compose-foundation = "1.6.2" compose-material = "1.6.3" compose-material3 = "1.2.0" compose-runtime = "1.6.2" -compose-ui = "1.6.2" +compose-ui = "1.6.3" compose-jb = "1.6.0" compose-jb-compiler = "1.5.8.1" compose-jb-kotlinVersion = "1.9.22" From fc85e2bc247c5c5ab4c8756f46d92c7034cce427 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 07:55:24 -0800 Subject: [PATCH 089/123] Update dependency androidx.compose.foundation:foundation to v1.6.3 (#1266) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.foundation:foundation](https://developer.android.com/jetpack/androidx/releases/compose-foundation#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index b50841625..58d4e5d90 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -16,7 +16,7 @@ compose-animation = "1.6.3" # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.10" compose-compiler-kotlinVersion = "1.9.22" -compose-foundation = "1.6.2" +compose-foundation = "1.6.3" compose-material = "1.6.3" compose-material3 = "1.2.0" compose-runtime = "1.6.2" From 112e4dea6c6543acf7105658df88950d5915b5a7 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 07:55:31 -0800 Subject: [PATCH 090/123] Update compose.runtime to v1.6.3 (#1263) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.runtime:runtime-livedata](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.runtime:runtime](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | | [androidx.compose.runtime:runtime-rxjava3](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.3) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.2` -> `1.6.3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 58d4e5d90..3bf255eec 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -19,7 +19,7 @@ compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.3" compose-material = "1.6.3" compose-material3 = "1.2.0" -compose-runtime = "1.6.2" +compose-runtime = "1.6.3" compose-ui = "1.6.3" compose-jb = "1.6.0" compose-jb-compiler = "1.5.8.1" From f8554a64e364ab6535a61490de13e0f7a282bca5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 7 Mar 2024 08:07:15 -0800 Subject: [PATCH 091/123] Update dependency androidx.compose.material3:material3 to v1.2.1 (#1267) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.material3:material3](https://developer.android.com/jetpack/androidx/releases/compose-material3#1.2.1) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.2.0` -> `1.2.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 3bf255eec..e9494c12e 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -18,7 +18,7 @@ compose-compiler-version = "1.5.10" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.3" compose-material = "1.6.3" -compose-material3 = "1.2.0" +compose-material3 = "1.2.1" compose-runtime = "1.6.3" compose-ui = "1.6.3" compose-jb = "1.6.0" From 331e1d81b09551b671f23a0834cadc02757afafc Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 8 Mar 2024 12:38:32 -0800 Subject: [PATCH 092/123] Update dependency app.cash.turbine:turbine to v1.1.0 (#1273) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [app.cash.turbine:turbine](https://togithub.com/cashapp/turbine) | dependencies | minor | `1.0.0` -> `1.1.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
cashapp/turbine (app.cash.turbine:turbine) ### [`v1.1.0`](https://togithub.com/cashapp/turbine/blob/HEAD/CHANGELOG.md#110---2024-03-06) [Compare Source](https://togithub.com/cashapp/turbine/compare/1.0.0...1.1.0) [1.1.0]: https://togithub.com/cashapp/turbine/releases/tag/1.1.0 ##### Changed - Add `wasmJs` target, remove `iosArm32` and `watchosX86` targets. - Throw unconsumed events if scope is externally canceled.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- circuit-test/dependencies/androidReleaseRuntimeClasspath.txt | 2 -- gradle/libs.versions.toml | 2 +- 2 files changed, 1 insertion(+), 3 deletions(-) diff --git a/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt b/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt index f55119b4f..5a83fbc3d 100644 --- a/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt +++ b/circuit-test/dependencies/androidReleaseRuntimeClasspath.txt @@ -70,8 +70,6 @@ org.jetbrains.compose.ui:ui org.jetbrains.kotlin:kotlin-android-extensions-runtime org.jetbrains.kotlin:kotlin-bom org.jetbrains.kotlin:kotlin-parcelize-runtime -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index e9494c12e..159b7b07d 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -58,7 +58,7 @@ spotless = "6.23.3" sqldelight = "2.0.1" telephoto = "0.8.0" testParameterInjector = "1.15" -turbine = "1.0.0" +turbine = "1.1.0" versionsPlugin = "0.49.0" [plugins] From 25b3a0d64b742e193d1d319c30ca8074a0e114b6 Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Fri, 8 Mar 2024 14:22:25 -0800 Subject: [PATCH 093/123] Navigator popRoot extension (#1274) Navigator extension to pop the entire back stack, and then pass the result on to the `onRootPop` handler. Also useful to pop/exit a circuit. --- .../slack/circuit/foundation/NavigatorTest.kt | 29 +++++++++++++++++++ .../com/slack/circuit/runtime/Navigator.kt | 10 +++++++ 2 files changed, 39 insertions(+) diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt index 66d2bf0c6..30f577f40 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt @@ -5,9 +5,12 @@ package com.slack.circuit.foundation import com.google.common.truth.Truth.assertThat import com.slack.circuit.backstack.SaveableBackStack import com.slack.circuit.internal.test.Parcelize +import com.slack.circuit.runtime.popRoot import com.slack.circuit.runtime.popUntil +import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen import kotlin.test.assertEquals +import kotlin.test.assertSame import kotlin.test.assertTrue import kotlin.test.fail import org.junit.Test @@ -19,6 +22,8 @@ import org.junit.runner.RunWith @Parcelize private data object TestScreen3 : Screen +@Parcelize private data object TestPopResult : PopResult + @RunWith(ComposeUiTestRunner::class) class NavigatorTest { @Test @@ -101,4 +106,28 @@ class NavigatorTest { assertEquals(TestScreen2, navigator.peek()) } + + @Test + fun popRootWithResult() { + var onRootResult: PopResult? = null + var onRootPopped = false + val backStack = SaveableBackStack(TestScreen) + backStack.push(TestScreen2) + backStack.push(TestScreen3) + + val navigator = + NavigatorImpl(backStack) { + onRootResult = it + onRootPopped = true + } + + assertThat(backStack).hasSize(3) + + navigator.popRoot(TestPopResult) + + assertTrue(onRootPopped) + assertSame(TestPopResult, onRootResult) + assertThat(backStack).hasSize(1) + assertThat(backStack.topRecord?.screen).isEqualTo(TestScreen) + } } diff --git a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt index 899b47967..a74637590 100644 --- a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt +++ b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt @@ -123,3 +123,13 @@ public inline fun Navigator.resetRoot( public fun Navigator.popUntil(predicate: (Screen) -> Boolean) { while (peek()?.let(predicate) == false) pop() ?: break // Break on root pop } + +/** Calls [Navigator.pop] until the root screen and passes [result] to the root pop. */ +public fun Navigator.popRoot(result: PopResult? = null) { + var backStackSize = peekBackStack().size + while (backStackSize > 1) { + backStackSize-- + pop() + } + pop(result) +} From ecbec6e64259e2789ac526d190a4256d9c8d225c Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 12 Mar 2024 07:31:13 -0700 Subject: [PATCH 094/123] Update dependency co.touchlab.skie to v0.6.2 (#1277) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [co.touchlab.skie](https://skie.touchlab.co) ([source](https://togithub.com/touchlab/SKIE)) | plugin | patch | `0.6.1` -> `0.6.2` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
touchlab/SKIE (co.touchlab.skie) ### [`v0.6.2`](https://togithub.com/touchlab/SKIE/compare/0.6.1...0.6.2) [Compare Source](https://togithub.com/touchlab/SKIE/compare/0.6.1...0.6.2)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 159b7b07d..c594f8b4e 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -53,7 +53,7 @@ picnic = "0.7.0" retrofit = "2.9.0" robolectric = "4.11.1" roborazzi = "1.10.1" -skie = "0.6.1" +skie = "0.6.2" spotless = "6.23.3" sqldelight = "2.0.1" telephoto = "0.8.0" From d568f87a158dab07834766c7173a5a673e8e4705 Mon Sep 17 00:00:00 2001 From: Chris Banes Date: Tue, 12 Mar 2024 16:04:07 +0000 Subject: [PATCH 095/123] Check canRetainCheck when saving RetainedStateRegistry (#1276) This is mostly @alexvanyo's work from #1253. Unfortunately I couldn't find a way for a PR from a fork to be based on another PR from a different fork. My changes add the relevant fixes to make sure that saved/restored back stacks (aka back stacks) work with the changes. Primarily this is so that we check both the current back stack _and_ saved backstacks when determining whether we can retain state. Fixes #1252 --------- Co-authored-by: Alex Vanyo --- .../com/slack/circuit/backstack/BackStack.kt | 8 ++ .../circuit/backstack/SaveableBackStack.kt | 13 ++ .../foundation/NavigableCircuitContent.kt | 23 ++-- .../circuit/retained/android/RetainedTest.kt | 115 +++++++++++++++++- .../circuit/retained/RememberRetained.kt | 14 +-- .../star/imageviewer/ImageViewerScreen.kt | 2 +- 6 files changed, 151 insertions(+), 24 deletions(-) diff --git a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt index c1ff59519..a5438d640 100644 --- a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt +++ b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/BackStack.kt @@ -93,6 +93,14 @@ public interface BackStack : Iterable { */ public fun restoreState(screen: Screen): Boolean + /** + * Whether the back stack contains the given [record]. + * + * @param includeSaved Whether to also check if the record is contained by any saved back stack + * state. See [saveState]. + */ + public fun containsRecord(record: R, includeSaved: Boolean): Boolean + @Stable public interface Record { /** diff --git a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt index 9ee2a4546..f01d256d3 100644 --- a/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt +++ b/backstack/src/commonMain/kotlin/com/slack/circuit/backstack/SaveableBackStack.kt @@ -127,6 +127,19 @@ internal constructor( return false } + override fun containsRecord(record: Record, includeSaved: Boolean): Boolean { + // If it's in the main entry list, return true + if (record in entryList) return true + + if (includeSaved && stateStore.isNotEmpty()) { + // If we're checking our saved lists too, iterate through them and check + for (stored in stateStore.values) { + if (record in stored) return true + } + } + return false + } + public data class Record( override val screen: Screen, val args: Map = emptyMap(), diff --git a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt index fc09b6ccf..11bdc0c68 100644 --- a/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt +++ b/circuit-foundation/src/commonMain/kotlin/com/slack/circuit/foundation/NavigableCircuitContent.kt @@ -34,7 +34,6 @@ import com.slack.circuit.backstack.NavDecoration import com.slack.circuit.backstack.ProvidedValues import com.slack.circuit.backstack.isEmpty import com.slack.circuit.backstack.providedValuesForBackStack -import com.slack.circuit.foundation.NavigatorDefaults.DefaultDecoration.backward import com.slack.circuit.retained.CanRetainChecker import com.slack.circuit.retained.LocalCanRetainChecker import com.slack.circuit.retained.LocalRetainedStateRegistry @@ -48,9 +47,9 @@ import kotlinx.collections.immutable.ImmutableMap import kotlinx.collections.immutable.toImmutableList @Composable -public fun NavigableCircuitContent( +public fun NavigableCircuitContent( navigator: Navigator, - backStack: BackStack, + backStack: BackStack, modifier: Modifier = Modifier, circuit: Circuit = requireNotNull(LocalCircuit.current), providedValues: ImmutableMap = providedValuesForBackStack(backStack), @@ -108,7 +107,9 @@ public fun NavigableCircuitContent( // contains the record val record = provider.record val recordInBackStackRetainChecker = - remember(backStack, record) { CanRetainChecker { record in backStack } } + remember(backStack, record) { + CanRetainChecker { backStack.containsRecord(record, includeSaved = true) } + } CompositionLocalProvider(LocalCanRetainChecker provides recordInBackStackRetainChecker) { // Remember the `providedValues` lookup because this composition can live longer than @@ -136,15 +137,15 @@ public fun NavigableCircuitContent( /** A simple holder class for a [record] and its associated [content]. */ @Immutable -public class RecordContentProvider( - public val record: Record, - internal val content: @Composable (Record) -> Unit, +public class RecordContentProvider( + public val record: R, + internal val content: @Composable (R) -> Unit, ) { override fun equals(other: Any?): Boolean { if (this === other) return true if (other == null || this::class != other::class) return false - other as RecordContentProvider + other as RecordContentProvider<*> if (record != other.record) return false if (content != other.content) return false @@ -162,12 +163,12 @@ public class RecordContentProvider( } @Composable -private fun BackStack.buildCircuitContentProviders( +private fun BackStack.buildCircuitContentProviders( navigator: Navigator, circuit: Circuit, unavailableRoute: @Composable (screen: Screen, modifier: Modifier) -> Unit, -): ImmutableList { - val previousContentProviders = remember { mutableMapOf() } +): ImmutableList> { + val previousContentProviders = remember { mutableMapOf>() } val lastNavigator by rememberUpdatedState(navigator) val lastCircuit by rememberUpdatedState(circuit) diff --git a/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt b/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt index 4d98cb42e..715483972 100644 --- a/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt +++ b/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt @@ -21,8 +21,10 @@ import androidx.compose.runtime.remember import androidx.compose.runtime.setValue import androidx.compose.ui.Modifier import androidx.compose.ui.platform.testTag +import androidx.compose.ui.test.assert import androidx.compose.ui.test.assertIsDisplayed import androidx.compose.ui.test.assertTextContains +import androidx.compose.ui.test.hasText import androidx.compose.ui.test.junit4.createAndroidComposeRule import androidx.compose.ui.test.onNodeWithTag import androidx.compose.ui.test.performClick @@ -32,8 +34,10 @@ import androidx.lifecycle.ViewModel import androidx.lifecycle.ViewModelProvider import androidx.test.core.app.ActivityScenario import com.google.common.truth.Truth.assertThat +import com.slack.circuit.retained.CanRetainChecker import com.slack.circuit.retained.Continuity import com.slack.circuit.retained.ContinuityViewModel +import com.slack.circuit.retained.LocalCanRetainChecker import com.slack.circuit.retained.LocalRetainedStateRegistry import com.slack.circuit.retained.RetainedStateRegistry import com.slack.circuit.retained.continuityRetainedStateRegistry @@ -214,6 +218,14 @@ class RetainedTest { @Test fun nestedRegistriesWithPopAndPushNoKeys() = nestedRegistriesWithPopAndPush(false) + @Test + fun nestedRegistriesWithPopAndPushAndCannotRetainWithKeys() = + nestedRegistriesWithPopAndPushAndCannotRetain(true) + + @Test + fun nestedRegistriesWithPopAndPushAndCannotRetainNoKeys() = + nestedRegistriesWithPopAndPushAndCannotRetain(false) + @Test fun singleInput() { val inputState = MutableStateFlow("first input") @@ -375,6 +387,52 @@ class RetainedTest { composeTestRule.onNodeWithTag(TAG_RETAINED_2).assertTextContains("Text_Retained2") } + private fun nestedRegistriesWithPopAndPushAndCannotRetain(useKeys: Boolean) { + val content = @Composable { NestedRetainWithPushAndPopAndCannotRetain(useKeys = useKeys) } + setActivityContent(content) + + // Assert that Retained 1 is visible & Retained 2 does not exist + composeTestRule.onNodeWithTag(TAG_RETAINED_1).assertIsDisplayed() + composeTestRule.onNodeWithTag(TAG_RETAINED_2).assertDoesNotExist() + + // Now click the button to show the child content + composeTestRule.onNodeWithTag(TAG_BUTTON_SHOW).performClick() + + // Perform our initial text input + composeTestRule.onNodeWithTag(TAG_RETAINED_1).performTextInput("Text_Retained1") + composeTestRule + .onNodeWithTag(TAG_RETAINED_2) + .assertIsDisplayed() + .performTextInput("Text_Retained2") + + // Check that our input worked + composeTestRule.onNodeWithTag(TAG_RETAINED_1).assertTextContains("Text_Retained1") + composeTestRule.onNodeWithTag(TAG_RETAINED_2).assertTextContains("Text_Retained2") + + // Now click the button to hide the nested content (aka a pop) + composeTestRule.onNodeWithTag(TAG_BUTTON_HIDE).performClick() + + // Assert that Retained 1 is visible & Retained 2 does not exist + composeTestRule.onNodeWithTag(TAG_RETAINED_1).assertIsDisplayed() + composeTestRule.onNodeWithTag(TAG_RETAINED_2).assertDoesNotExist() + + // Now click the button to show the nested content again (aka a push) + composeTestRule.onNodeWithTag(TAG_BUTTON_SHOW).performClick() + + // Assert that the child content is _not_ using the retained content since can retain checker is + // false + composeTestRule.onNodeWithTag(TAG_RETAINED_1).assertTextContains("Text_Retained1") + composeTestRule.onNodeWithTag(TAG_RETAINED_2).assert(!hasText("Text_Retained2")) + + // Restart the activity + scenario.recreate() + // Compose our content + setActivityContent(content) + // Was the text not saved + composeTestRule.onNodeWithTag(TAG_RETAINED_1).assertTextContains("Text_Retained1") + composeTestRule.onNodeWithTag(TAG_RETAINED_2).assert(!hasText("Text_Retained2")) + } + private fun setActivityContent(content: @Composable () -> Unit) { scenario.onActivity { activity -> activity.setContent { @@ -541,11 +599,60 @@ private fun NestedRetainWithPushAndPop(useKeys: Boolean) { Text(text = "Show child") } - if (showNestedContent.value) { - val nestedRegistry = rememberRetained { RetainedStateRegistry() } + // Keep the retained state registry around even if showNestedContent becomes false + CompositionLocalProvider(LocalCanRetainChecker provides CanRetainChecker.Always) { + if (showNestedContent.value) { + val nestedRegistry = rememberRetained { RetainedStateRegistry() } + CompositionLocalProvider( + LocalRetainedStateRegistry provides nestedRegistry, + LocalCanRetainChecker provides CanRetainChecker.Always, + ) { + NestedRetainLevel1(useKeys) + } + } + } + } +} + +@Composable +private fun NestedRetainWithPushAndPopAndCannotRetain(useKeys: Boolean) { + var retainedText1: String by + rememberRetained(key = "retained1".takeIf { useKeys }) { mutableStateOf("") } + + Column { + TextField( + modifier = Modifier.testTag(TAG_RETAINED_1), + value = retainedText1, + onValueChange = { retainedText1 = it }, + label = {}, + ) + + val showNestedContent = rememberRetained { mutableStateOf(false) } + + Button( + onClick = { showNestedContent.value = false }, + modifier = Modifier.testTag(TAG_BUTTON_HIDE), + ) { + Text(text = "Hide child") + } + + Button( + onClick = { showNestedContent.value = true }, + modifier = Modifier.testTag(TAG_BUTTON_SHOW), + ) { + Text(text = "Show child") + } - CompositionLocalProvider(LocalRetainedStateRegistry provides nestedRegistry) { - NestedRetainLevel1(useKeys) + // Keep the retained state registry around even if showNestedContent becomes false + CompositionLocalProvider(LocalCanRetainChecker provides CanRetainChecker.Always) { + if (showNestedContent.value) { + val nestedRegistry = rememberRetained { RetainedStateRegistry() } + CompositionLocalProvider( + LocalRetainedStateRegistry provides nestedRegistry, + LocalCanRetainChecker provides { false }, + ) { + NestedRetainLevel1(useKeys) + } } } } diff --git a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt index 0a6c4d464..ac6645d48 100644 --- a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt +++ b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt @@ -158,19 +158,17 @@ private class RetainableHolder( Value(value = requireNotNull(value) { "Value should be initialized" }, inputs = inputs) fun saveIfRetainable() { - // If the value is a RetainedStateRegistry, we need to take care to retain it. - // First we tell it to saveAll, to retain it's values. Then we need to tell the host - // registry to retain the child registry. val v = value - if (v is RetainedStateRegistry) { - v.saveAll() - registry?.saveValue(key) - } - if (registry != null && !canRetainChecker.canRetain(registry!!)) { entry?.unregister() // If value is a RememberObserver, we notify that it has been forgotten if (v is RememberObserver) v.onForgotten() + } else if (v is RetainedStateRegistry) { + // If the value is a RetainedStateRegistry, we need to take care to retain it. + // First we tell it to saveAll, to retain it's values. Then we need to tell the host + // registry to retain the child registry. + v.saveAll() + registry?.saveValue(key) } } diff --git a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt index 7e97a9d6e..465adbf22 100644 --- a/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt +++ b/samples/star/src/androidMain/kotlin/com/slack/circuit/star/imageviewer/ImageViewerScreen.kt @@ -152,7 +152,7 @@ class ImageViewerAwareNavDecoration( ) { val firstArg = args.firstOrNull() val decoration = - if (firstArg is RecordContentProvider && firstArg.record.screen is ImageViewerScreen) { + if (firstArg is RecordContentProvider<*> && firstArg.record.screen is ImageViewerScreen) { NavigatorDefaults.EmptyDecoration } else { defaultNavDecoration From c2f3225a40e5aba158d90f224ade03a74571fc48 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 12 Mar 2024 09:52:03 -0700 Subject: [PATCH 096/123] Update kotlin and KSP to v1.9.23 (#1270) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [org.jetbrains.kotlin.plugin.parcelize](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | plugin | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin.multiplatform](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | plugin | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin.kapt](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | plugin | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin.jvm](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | plugin | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin.plugin.atomicfu](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | plugin | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin.android](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | plugin | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin:kotlin-test](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | dependencies | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin:kotlin-gradle-plugins-bom](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | dependencies | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin:kotlin-compiler-embeddable](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | dependencies | patch | `1.9.22` -> `1.9.23` | | [org.jetbrains.kotlin:kotlin-bom](https://kotlinlang.org/) ([source](https://togithub.com/JetBrains/kotlin)) | dependencies | patch | `1.9.22` -> `1.9.23` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
JetBrains/kotlin (org.jetbrains.kotlin.plugin.parcelize) ### [`v1.9.23`](https://togithub.com/JetBrains/kotlin/releases/tag/v1.9.23): Kotlin 1.9.23 ##### 1.9.23 ##### Apple Ecosystem - [`KT-65542`](https://youtrack.jetbrains.com/issue/KT-65542) Cinterop tasks fails if Xcode 15.3 is used ##### Backend. Wasm - [`KT-64486`](https://youtrack.jetbrains.com/issue/KT-64486) Kotlin/Wasm/WASI exported function callback for coroutines support ##### Compiler - [`KT-53478`](https://youtrack.jetbrains.com/issue/KT-53478) Could not load module - [`KT-66044`](https://youtrack.jetbrains.com/issue/KT-66044) JDK's new API is used over Kotlin's SDK functions - [`KT-64640`](https://youtrack.jetbrains.com/issue/KT-64640) Prevent mutating SequenceCollection methods from JDK 21 be available on read-only collections - [`KT-65441`](https://youtrack.jetbrains.com/issue/KT-65441) K1: Remove JDK 21 getFirst()/getLast() in (Mutable)List interfaces - [`KT-65634`](https://youtrack.jetbrains.com/issue/KT-65634) K/N: data race during monolithic cache creation - [`KT-53109`](https://youtrack.jetbrains.com/issue/KT-53109) CompilationErrorException generateUnboundSymbolsAsDependencies with builder inference and lambdas - [`KT-52757`](https://youtrack.jetbrains.com/issue/KT-52757) Type inference for builders fails if inferred from a function ##### Tools. Gradle - [`KT-65792`](https://youtrack.jetbrains.com/issue/KT-65792) Add JSON build report - [`KT-65091`](https://youtrack.jetbrains.com/issue/KT-65091) Update compiler metrics in build reports - [`KT-62490`](https://youtrack.jetbrains.com/issue/KT-62490) KGP dropping resource directories ##### Tools. Gradle. JS - [`KT-64119`](https://youtrack.jetbrains.com/issue/KT-64119) K/JS: Migrate package manager from Yarn onto NPM - [`KT-64561`](https://youtrack.jetbrains.com/issue/KT-64561) K/JS tests are not executed after upgrade to 1.9.22 ##### Tools. Gradle. Multiplatform - [`KT-65954`](https://youtrack.jetbrains.com/issue/KT-65954) commonTest dependencies affect commoMainMetadata compilation ##### Tools. Gradle. Native - [`KT-64573`](https://youtrack.jetbrains.com/issue/KT-64573) Default value for `produceUnpackedKlib` was not provided
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- build.gradle.kts | 4 ++++ config/detekt/detekt.yml | 2 -- gradle/libs.versions.toml | 4 ++-- 3 files changed, 6 insertions(+), 4 deletions(-) diff --git a/build.gradle.kts b/build.gradle.kts index 4ff8209d6..a33a0598e 100644 --- a/build.gradle.kts +++ b/build.gradle.kts @@ -161,6 +161,8 @@ subprojects { plugins.withType { val isMultiPlatformPlugin = this is AbstractKotlinMultiplatformPluginWrapper tasks.withType>().configureEach { + // Don't double apply to stub gen + if (this is KaptGenerateStubsTask) return@configureEach compilerOptions { allWarningsAsErrors.set(true) if (this is KotlinJvmCompilerOptions) { @@ -408,6 +410,8 @@ subprojects { val suppressComposeKotlinVersion = kotlinVersion != composeCompilerKotlinVersion if (suppressComposeKotlinVersion) { tasks.withType>().configureEach { + // Don't double apply to stub gen + if (this is KaptGenerateStubsTask) return@configureEach compilerOptions { freeCompilerArgs.addAll( "-P", diff --git a/config/detekt/detekt.yml b/config/detekt/detekt.yml index 06060d9e8..d6da80981 100644 --- a/config/detekt/detekt.yml +++ b/config/detekt/detekt.yml @@ -22,8 +22,6 @@ style: - 'Preview' - 'androidx.compose.desktop.ui.tooling.preview.Preview' # This rule ends up causing more style issues than not - OptionalWhenBraces: - active: false BracesOnWhenStatements: active: false MagicNumber: diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index c594f8b4e..a37919572 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -33,10 +33,10 @@ eithernet = "1.8.1" jdk = "21" jvmTarget = "11" kct = "0.4.0" -kotlin = "1.9.22" +kotlin = "1.9.23" kotlinpoet = "1.16.0" kotlinx-coroutines = "1.8.0" -ksp = "1.9.22-1.0.17" +ksp = "1.9.23-1.0.19" ktfmt = "0.47" ktor = "2.3.9" leakcanary = "2.13" From c93a536e5475545bf615bcec1a3116f5c4feef3c Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 12 Mar 2024 10:40:15 -0700 Subject: [PATCH 097/123] Update dependency org.jetbrains.compose.compiler:compiler to v1.5.10 (#1275) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [org.jetbrains.compose.compiler:compiler](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.5.8.1` -> `1.5.10` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
JetBrains/compose-jb (org.jetbrains.compose.compiler:compiler) ### [`v1.5.10`](https://togithub.com/JetBrains/compose-jb/blob/HEAD/CHANGELOG.md#1510-October-2023) > This is a combined changelog from the prerelease versions: > > - [1.5.0-beta01](https://togithub.com/JetBrains/compose-multiplatform/releases/tag/v1.5.0-beta01) > - [1.5.0-beta02](https://togithub.com/JetBrains/compose-multiplatform/releases/tag/v1.5.10-beta02) > - [1.5.0-rc01](https://togithub.com/JetBrains/compose-multiplatform/releases/tag/v1.5.10-rc01) > - [1.5.0-rc02](https://togithub.com/JetBrains/compose-multiplatform/releases/tag/v1.5.10-rc02) #### Common ##### Features - [Support Kotlin 1.9.20](https://togithub.com/JetBrains/compose-multiplatform/pull/3884) - Introduce Material 3 components in common - [`ModalBottomSheet`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/794) - [`SearchBar` and `DockedSearchBar`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/801) - [`ExposedDropDownMenu`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/787) - [Introduce Material component `ExposedDropDownMenu` in common](https://togithub.com/JetBrains/compose-multiplatform-core/pull/793) - [Introduce `WindowInfo.containerSize` experimental api](https://togithub.com/JetBrains/compose-multiplatform-core/pull/785) - [Implement `defaultTimePickerLayoutType` based on screen orientation](https://togithub.com/JetBrains/compose-multiplatform-core/pull/817) - [Add an option to disable insets in `Popup`/`Dialog`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/833) - [Commonize insets `Modifier`'s (additionally to `WindowInsets.*`)](https://togithub.com/JetBrains/compose-multiplatform/issues/3563) ##### Fixes - [`ExposedDropdownMenuBox.onExpandedChange` was not recomposed](https://togithub.com/JetBrains/compose-multiplatform/issues/3686) - [Override `RootLayout` insets only in case of `usePlatformInsets`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/854) - [Don't send synthetic Move events before Press/Release for touch](https://togithub.com/JetBrains/compose-multiplatform-core/pull/870) #### iOS ##### Breaking changes - [Having `kotlin.native.cacheKind = none` will result in a build error.](https://togithub.com/JetBrains/compose-multiplatform/pull/3667) ##### Features - [Compilation speed up due to enabling compiler caches for Kotlin 1.9.20+](https://togithub.com/JetBrains/compose-multiplatform/pull/3648) - [Added crossfade animation during orientation change when used within UIKit hierarchy](https://togithub.com/JetBrains/compose-multiplatform-core/pull/778) - [Compose Multiplatform should warn when `CADisableMinimumFrameDurationOnPhone` is not configured properly](https://togithub.com/JetBrains/compose-multiplatform/issues/3634) - [Fast delete mode on software keyboard. When you hold a backspace, “turbo mode” is enabled after deleting the first 21 symbols. In turbo mode each tick deletes two words.](https://togithub.com/JetBrains/compose-multiplatform/issues/2991) - [On a long scrollable TextFields, If it’s scrolled up to caret position while typing. Then it stopped on the line above the line with a caret.](https://togithub.com/JetBrains/compose-multiplatform-core/pull/804) - [Add `UIViewController` lifetime hooks](https://togithub.com/JetBrains/compose-multiplatform-core/pull/779) - [Implement iOS native feel scrolls for large text fields](https://togithub.com/JetBrains/compose-multiplatform-core/pull/771) - Improve rendering performance - [Avoid redundant compositing](https://togithub.com/JetBrains/compose-multiplatform-core/pull/813) - [Don't send redundant synthetic moves](https://togithub.com/JetBrains/compose-multiplatform-core/pull/819) - [Postpone `CAMetalDrawable` acquisition](https://togithub.com/JetBrains/compose-multiplatform-core/pull/820) - [Move frame encoding to separate thread when possible](https://togithub.com/JetBrains/compose-multiplatform-core/pull/829) - [Double tap and triple tap gesture handling in `TextField`s](https://togithub.com/JetBrains/compose-multiplatform/issues/2682) ##### Fixes - [Rendering synchronization of multiple `UIKitView`s within a screen](https://togithub.com/JetBrains/compose-multiplatform/issues/3534) - [Today's date is not highlighted with a circle in the material3 datePicker on iOS](https://togithub.com/JetBrains/compose-multiplatform/issues/3591) - [Fix text-to-speech crash in iOS 16.0.\*](https://togithub.com/JetBrains/compose-multiplatform/issues/2984) - [Compose window is shown before the first frame is rendered](https://togithub.com/JetBrains/compose-multiplatform/issues/3492) - [iOS TextField, Compound emojis are being treated as many symbols](https://togithub.com/JetBrains/compose-multiplatform/issues/3104) - [Use `CADisplayLink.targetTimestamp` value as the time for animation frames](https://togithub.com/JetBrains/compose-multiplatform-core/pull/796) - [iOS. Improved performance on 120 hz devices](https://togithub.com/JetBrains/compose-multiplatform-core/pull/797) - [Expanded `ModalBottomSheet`: scrim doesn't occupy complete screen](https://togithub.com/JetBrains/compose-multiplatform/issues/3701) - [Fix interop view intercepting touches for popups](https://togithub.com/JetBrains/compose-multiplatform-core/pull/835) - [Fix applying `WindowInsets` inside `Popup`/`Dialog`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/832) - [Scrolling behavior bugs](https://togithub.com/JetBrains/compose-multiplatform/issues/3335) - [`OutlinedTextField` label is clipped](https://togithub.com/JetBrains/compose-multiplatform/issues/3737) - [Black screens with `UIKitView` after navigating away and navigating back](https://togithub.com/JetBrains/compose-multiplatform/issues/3749) - [Long text field overscroll effect not clipped correctly](https://togithub.com/JetBrains/compose-multiplatform-core/pull/859) - [First screen is recomposed twice](https://togithub.com/JetBrains/compose-multiplatform/issues/3778) - [Bug with selection handle](https://togithub.com/JetBrains/compose-multiplatform-core/pull/869) - [Ignore unpressed events during velocity calculation](https://togithub.com/JetBrains/compose-multiplatform-core/pull/848) - [Crash with Asian languages in `TextField`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/872/files) #### Desktop ##### Features - Improve accessibility support - [Implement `Role.DropdownList` via `AccessibleRole.COMBO_BOX`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/822) - [Fix Compose `Role.Tab` to correctly translate to Java's `AccessibleRole.PAGE_TAB`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/821) - [Implement support for `SemanticsProperties.ProgressBarRangeInfo`](https://togithub.com/JetBrains/compose-multiplatform-core/pull/830) ##### Fixes - [`LocalLayoutDirection` isn't propagated into `DialogWindow`](https://togithub.com/JetBrains/compose-multiplatform/issues/3382) - [CompositionLocals given in application scope are not take into account in window scope (such as `LocalLayoutDirection`)](https://togithub.com/JetBrains/compose-multiplatform/issues/3571) - [Fix accessibility issue with actions in popups](https://togithub.com/JetBrains/compose-multiplatform-core/pull/792) - [Apply custom Dialog's scrim blend mode only when window is transparent](https://togithub.com/JetBrains/compose-multiplatform-core/pull/812) - [Can't type in `TextField` placed in `ModalBottomSheet`](https://togithub.com/JetBrains/compose-multiplatform/issues/3703) - [Accessibility not reporting changes](https://togithub.com/JetBrains/compose-multiplatform-core/pull/842) - [Crash "LayoutNode should be attached to an owner exception"](https://togithub.com/JetBrains/compose-multiplatform/issues/3728) - [Window loses its focus after recomposition of another window](https://togithub.com/JetBrains/compose-multiplatform/issues/2994) - [Report semantic `ProgressBarRangeInfo` changes for accessibility](https://togithub.com/JetBrains/compose-multiplatform-core/pull/862) - [Fix NPE for getComponentAfter/Before in ComposePanel](https://togithub.com/JetBrains/compose-multiplatform-core/pull/878) - [Take into account `enabled` in `scrollable` for mouse input](https://togithub.com/JetBrains/compose-multiplatform-core/pull/880) - [Improve accessibility on Windows](https://togithub.com/JetBrains/compose-multiplatform-core/pull/885) - [Fix Chinese characters input when using JBR](https://togithub.com/JetBrains/compose-multiplatform-core/pull/881) #### Gradle Plugin ##### Features - [Add API to not apply the Compose Compiler plugin](https://togithub.com/JetBrains/compose-multiplatform/pull/3722) ##### Fixes - [Increase Kotlinx Serialization version used by the Compose Gradle Plugin](https://togithub.com/JetBrains/compose-multiplatform/issues/3479) - [Switch to notarytool for notarization](https://togithub.com/JetBrains/compose-multiplatform/pull/3642) - [Fix configuration cache for `syncComposeResourcesForIos`](https://togithub.com/JetBrains/compose-multiplatform/pull/3764) #### HTML library ##### Features - [SVG - Add fillOpacity attribute](https://togithub.com/JetBrains/compose-multiplatform/pull/3725) #### Web ##### Features - [Allow resources routing configuration (resources library)](https://togithub.com/JetBrains/compose-multiplatform/pull/3852) #### Dependencies This version of Compose Multiplatform is based on the next Jetpack Compose libraries: - [Compiler 1.5.3](https://developer.android.com/jetpack/androidx/releases/compose-compiler#1.5.3) - [Runtime 1.5.4](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.5.4) - [UI 1.5.4](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.5.4) - [Foundation 1.5.4](https://developer.android.com/jetpack/androidx/releases/compose-foundation#1.5.4) - [Material 1.5.4](https://developer.android.com/jetpack/androidx/releases/compose-material#1.5.4) - [Material3 1.1.2](https://developer.android.com/jetpack/androidx/releases/compose-material3#1.1.2)
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index a37919572..469e40932 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -22,8 +22,8 @@ compose-material3 = "1.2.1" compose-runtime = "1.6.3" compose-ui = "1.6.3" compose-jb = "1.6.0" -compose-jb-compiler = "1.5.8.1" -compose-jb-kotlinVersion = "1.9.22" +compose-jb-compiler = "1.5.10" +compose-jb-kotlinVersion = "1.9.23" compose-integration-constraintlayout = "1.0.1" dagger = "2.51" datastore = "1.1.0-beta02" From 4d23d70cd3dba82851c8ac915b0d2cf118401faf Mon Sep 17 00:00:00 2001 From: Chris Banes Date: Wed, 13 Mar 2024 15:09:40 +0000 Subject: [PATCH 098/123] Make RememberObservers in nested registries work (#1281) At the moment `RememberObserver` support for retained state only works if it is added directly to the root retained registry. That works fine in our simple test, but `NavigableCircuitContent` adds a much more complex retained registry system, which uses multiple levels of registries. This PR fixes this, adding support for nested registries. I've confirmed that this works as expected in Tivi. --- .../circuit/retained/android/RetainedTest.kt | 53 +++++++++++++++++++ .../circuit/retained/RememberRetained.kt | 24 ++++++--- .../circuit/retained/RetainedStateRegistry.kt | 23 ++++---- .../circuit/retained/RetainedValueProvider.kt | 9 ++++ 4 files changed, 93 insertions(+), 16 deletions(-) diff --git a/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt b/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt index 715483972..bfb7f87a0 100644 --- a/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt +++ b/circuit-retained/src/androidInstrumentedTest/kotlin/com/slack/circuit/retained/android/RetainedTest.kt @@ -342,6 +342,59 @@ class RetainedTest { assertThat(subject.onForgottenCalled).isEqualTo(1) } + @Test + fun rememberObserver_nestedRegistries() { + val subject = + object : RememberObserver { + var onRememberCalled: Int = 0 + private set + + var onForgottenCalled: Int = 0 + private set + + override fun onAbandoned() = Unit + + override fun onForgotten() { + onForgottenCalled++ + } + + override fun onRemembered() { + onRememberCalled++ + } + } + + val content = + @Composable { + val nestedRegistryLevel1 = rememberRetained { RetainedStateRegistry() } + CompositionLocalProvider(LocalRetainedStateRegistry provides nestedRegistryLevel1) { + val nestedRegistryLevel2 = rememberRetained { RetainedStateRegistry() } + CompositionLocalProvider(LocalRetainedStateRegistry provides nestedRegistryLevel2) { + @Suppress("UNUSED_VARIABLE") val retainedSubject = rememberRetained { subject } + } + } + } + setActivityContent(content) + + assertThat(subject.onRememberCalled).isEqualTo(1) + assertThat(subject.onForgottenCalled).isEqualTo(0) + + // Restart the activity + scenario.recreate() + // Compose our content again + setActivityContent(content) + + // Assert that onRemembered was not called again + assertThat(subject.onRememberCalled).isEqualTo(1) + assertThat(subject.onForgottenCalled).isEqualTo(0) + + // Now finish the Activity + scenario.close() + + // Assert that the observer was forgotten + assertThat(subject.onRememberCalled).isEqualTo(1) + assertThat(subject.onForgottenCalled).isEqualTo(1) + } + private fun nestedRegistriesWithPopAndPush(useKeys: Boolean) { val content = @Composable { NestedRetainWithPushAndPop(useKeys = useKeys) } setActivityContent(content) diff --git a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt index ac6645d48..5e8fcc241 100644 --- a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt +++ b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RememberRetained.kt @@ -158,17 +158,29 @@ private class RetainableHolder( Value(value = requireNotNull(value) { "Value should be initialized" }, inputs = inputs) fun saveIfRetainable() { - val v = value - if (registry != null && !canRetainChecker.canRetain(registry!!)) { + val v = value ?: return + val reg = registry ?: return + + if (!canRetainChecker.canRetain(reg)) { entry?.unregister() - // If value is a RememberObserver, we notify that it has been forgotten - if (v is RememberObserver) v.onForgotten() + when (v) { + // If value is a RememberObserver, we notify that it has been forgotten. + is RememberObserver -> v.onForgotten() + // Or if its a registry, we need to tell it to clear, which will forward the 'forgotten' + // call onto its values + is RetainedStateRegistry -> { + // First we saveAll, which flattens down the value providers to our retained list + v.saveAll() + // Now we drop all retained values + v.forgetUnclaimedValues() + } + } } else if (v is RetainedStateRegistry) { // If the value is a RetainedStateRegistry, we need to take care to retain it. // First we tell it to saveAll, to retain it's values. Then we need to tell the host // registry to retain the child registry. v.saveAll() - registry?.saveValue(key) + reg.saveValue(key) } } @@ -194,5 +206,5 @@ private class RetainableHolder( return value.takeIf { inputs.contentEquals(this.inputs) } } - class Value(val value: T, val inputs: Array) + class Value(override val value: T, val inputs: Array) : RetainedValueHolder } diff --git a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt index 3d0d1c913..2bbb9e462 100644 --- a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt +++ b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedStateRegistry.kt @@ -117,14 +117,7 @@ internal class RetainedStateRegistryImpl(retained: MutableMap // the first provider returned null(nothing to save) and the second one returned // "1". When we will be restoring the first provider would restore null (it is the // same as to have nothing to restore) and the second one restore "1". - list - .map { it.invoke() } - .onEach { value -> - // Allow nested registries to also save - if (value is RetainedStateRegistry) { - value.saveAll() - } - } + list.map(RetainedValueProvider::invoke) } if (values.isNotEmpty()) { @@ -144,8 +137,18 @@ internal class RetainedStateRegistryImpl(retained: MutableMap } override fun forgetUnclaimedValues() { - // Notify any RememberObservers that it has been forgotten - retained.asSequence().filterIsInstance().forEach { it.onForgotten() } + fun clearValue(value: Any?) { + when (value) { + // If we get a RetainedHolder value, need to unwrap and call again + is RetainedValueHolder<*> -> clearValue(value.value) + // Dispatch the call to nested registries + is RetainedStateRegistry -> value.forgetUnclaimedValues() + // Dispatch onForgotten calls if the value is a RememberObserver + is RememberObserver -> value.onForgotten() + } + } + + retained.values.forEach { it.forEach(::clearValue) } retained.clear() } } diff --git a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedValueProvider.kt b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedValueProvider.kt index 9e2b49ef8..3fb8dc9b3 100644 --- a/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedValueProvider.kt +++ b/circuit-retained/src/commonMain/kotlin/com/slack/circuit/retained/RetainedValueProvider.kt @@ -8,5 +8,14 @@ package com.slack.circuit.retained * Only defined as a top-level interface to allow non-JS targets to extend `() -> Any?`. */ public expect fun interface RetainedValueProvider { + /** + * Returns the retained value. If the value is wrapped in a holder class, this class should + * implement [RetainedValueHolder]. + */ public fun invoke(): Any? } + +/** Interface that allows [RetainedStateRegistry] to unwrap any values held underneath. */ +public interface RetainedValueHolder { + public val value: T +} From d225a0f998a5af66c2445af03a6eac6362f5dccd Mon Sep 17 00:00:00 2001 From: Josh Stagg Date: Wed, 13 Mar 2024 14:46:25 -0700 Subject: [PATCH 099/123] Navigator - Change popRoot to keep the top screen as the root screen (#1283) Modifying this as the full `popUntil` style would result in the root of the backstack being shown. Changing to "move" the top screen to the root and then `pop`. --- .../slack/circuit/foundation/NavigatorTest.kt | 2 +- .../com/slack/circuit/runtime/Navigator.kt | 17 +++++++++++------ 2 files changed, 12 insertions(+), 7 deletions(-) diff --git a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt index 30f577f40..91ae164fb 100644 --- a/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt +++ b/circuit-foundation/src/commonJvmTest/kotlin/com/slack/circuit/foundation/NavigatorTest.kt @@ -128,6 +128,6 @@ class NavigatorTest { assertTrue(onRootPopped) assertSame(TestPopResult, onRootResult) assertThat(backStack).hasSize(1) - assertThat(backStack.topRecord?.screen).isEqualTo(TestScreen) + assertThat(backStack.topRecord?.screen).isEqualTo(TestScreen3) } } diff --git a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt index a74637590..0b8525985 100644 --- a/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt +++ b/circuit-runtime/src/commonMain/kotlin/com/slack/circuit/runtime/Navigator.kt @@ -3,6 +3,7 @@ package com.slack.circuit.runtime import androidx.compose.runtime.Stable +import androidx.compose.runtime.snapshots.Snapshot import com.slack.circuit.runtime.screen.PopResult import com.slack.circuit.runtime.screen.Screen import kotlinx.collections.immutable.ImmutableList @@ -124,12 +125,16 @@ public fun Navigator.popUntil(predicate: (Screen) -> Boolean) { while (peek()?.let(predicate) == false) pop() ?: break // Break on root pop } -/** Calls [Navigator.pop] until the root screen and passes [result] to the root pop. */ +/** Pop the [Navigator] as if this was the root [Navigator.pop] call. */ public fun Navigator.popRoot(result: PopResult? = null) { - var backStackSize = peekBackStack().size - while (backStackSize > 1) { - backStackSize-- - pop() + Snapshot.withMutableSnapshot { + // If a repeat pop approach is used (like popUntil) then the root backstack item is shown during + // any root pop handling. This moves the top screen to become the root screen so it remains + // visible for any final handling. + val backStack = peekBackStack() + if (backStack.size > 1) { + resetRoot(backStack.first()) + } + pop(result) } - pop(result) } From a823cc0ec3185b87742612ae9a6b1702770b414e Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 13 Mar 2024 14:47:47 -0700 Subject: [PATCH 100/123] Update dependency org.jetbrains.compose.compiler:compiler to v1.5.10.1 (#1278) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [org.jetbrains.compose.compiler:compiler](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.5.10` -> `1.5.10.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 469e40932..77090ea6c 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -22,7 +22,7 @@ compose-material3 = "1.2.1" compose-runtime = "1.6.3" compose-ui = "1.6.3" compose-jb = "1.6.0" -compose-jb-compiler = "1.5.10" +compose-jb-compiler = "1.5.10.1" compose-jb-kotlinVersion = "1.9.23" compose-integration-constraintlayout = "1.0.1" dagger = "2.51" From b99f6f19abff5224759d15e169b085ba9de597f3 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 13 Mar 2024 20:05:39 -0700 Subject: [PATCH 101/123] Update okio to v3.9.0 (#1280) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.squareup.okio:okio-fakefilesystem](https://togithub.com/square/okio) | dependencies | minor | `3.8.0` -> `3.9.0` | | [com.squareup.okio:okio](https://togithub.com/square/okio) | dependencies | minor | `3.8.0` -> `3.9.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
square/okio (com.squareup.okio:okio-fakefilesystem) ### [`v3.9.0`](https://togithub.com/square/okio/blob/HEAD/CHANGELOG.md#Version-390) *2024-03-12* - New: `FileSystem.SYSTEM` can be used in source sets that target both Kotlin/Native and Kotlin/JVM. Previously, we had this symbol in each source set but it wasn't available to common source sets. - New: `COpaquePointer.readByteString(...)` creates a ByteString from a memory address. - New: Support `InflaterSource`, `DeflaterSink`, `GzipSink`, and `GzipSource` in Kotlin/Native. - New: Support openZip() on Kotlin/Native. One known bug in this implementation is that `FileMetadata.lastModifiedAtMillis()` is interpreted as UTC and not the host machine's time zone. - New: Prefer NTFS timestamps in ZIP file systems' metadata. This avoids the time zone problems of ZIP's built-in DOS timestamps, and the 2038 time bombs of ZIP's extended timestamps. - Fix: Don't leak file handles to opened JAR files open in `FileSystem.RESOURCES`. - Fix: Don't throw a `NullPointerException` if `Closeable.use { ... }` returns null.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 77090ea6c..dda295784 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -47,7 +47,7 @@ mosaic = "0.11.0" moshi = "1.15.1" moshix = "0.25.1" okhttp = "5.0.0-alpha.12" -okio = "3.8.0" +okio = "3.9.0" paparazzi = "1.3.3" picnic = "0.7.0" retrofit = "2.9.0" From 1c76589e4976afe1cab2cead145d935055336197 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 13 Mar 2024 20:05:55 -0700 Subject: [PATCH 102/123] Update dependency com.vanniktech.maven.publish to v0.28.0 (#1279) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.vanniktech.maven.publish](https://togithub.com/vanniktech/gradle-maven-publish-plugin) | plugin | minor | `0.27.0` -> `0.28.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
vanniktech/gradle-maven-publish-plugin (com.vanniktech.maven.publish) ### [`v0.28.0`](https://togithub.com/vanniktech/gradle-maven-publish-plugin/blob/HEAD/CHANGELOG.md#0280--2024-03-12-) [Compare Source](https://togithub.com/vanniktech/gradle-maven-publish-plugin/compare/0.27.0...0.28.0) - Added support for publishing through the new [Central Portal](https://central.sonatype.com). To use this use the `CENTRAL_PORTAL` option when specifying the Sonatype host. - For Kotlin Multiplatform the main plugin will now automatically publish the `release` variant if the project has an Android target and no variant was explicitly specified through the Kotlin Gradle DSL. - Support specifying the Android variants to publish in `KotlinMultiplatform(...)`. - Updated minimum supported Gradle, Android Gradle Plugin and Kotlin versions. - Removed support for the deprecated Kotlin/JS plugin. - Removed the deprecated `closeAndReleaseRepository` task. Use `releaseRepository`, which is functionally equivalent, instead. ##### Minimum supported versions - JDK 11 - Gradle 8.1 - Android Gradle Plugin 8.0.0 - Kotlin Gradle Plugin 1.9.20 ##### Compatibility tested up to - JDK 21 - Gradle 8.6 - Gradle 8.7-rc-3 - Android Gradle Plugin 8.3.0 - Android Gradle Plugin 8.4.0-alpha13 - Kotlin Gradle Plugin 1.9.23 - Kotlin Gradle Plugin 2.0.0-Beta4 ##### Configuration cache status Configuration cache is generally supported, except for: - Publishing releases to Maven Central (snapshots are fine), blocked by [Gradle issue #​22779](https://togithub.com/gradle/gradle/issues/22779). - Dokka does not support configuration cache
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index dda295784..dbb1336c6 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -41,7 +41,7 @@ ktfmt = "0.47" ktor = "2.3.9" leakcanary = "2.13" material-composeThemeAdapter = "1.2.1" -mavenPublish = "0.27.0" +mavenPublish = "0.28.0" molecule = "1.4.1" mosaic = "0.11.0" moshi = "1.15.1" From 8d2380d2e81d7e4890d731997d2f0179c934d1f0 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 14 Mar 2024 08:51:17 -0700 Subject: [PATCH 103/123] Update compose.jb to v1.6.1 (#1284) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [org.jetbrains.compose](https://togithub.com/JetBrains/compose-jb) | plugin | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.material3:material3](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.material:material](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.material:material-icons-extended](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.material:material-icons-core](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.foundation:foundation](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.ui:ui-tooling-preview](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.ui:ui-tooling-data](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.ui:ui-tooling](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.ui:ui-test-junit4](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.ui:ui-util](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.ui:ui](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.runtime:runtime-saveable](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | | [org.jetbrains.compose.runtime:runtime](https://togithub.com/JetBrains/compose-jb) | dependencies | patch | `1.6.0` -> `1.6.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- .../dependencies/jvmRuntimeClasspath.txt | 2 -- circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt | 2 -- gradle/libs.versions.toml | 2 +- 3 files changed, 1 insertion(+), 5 deletions(-) diff --git a/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt b/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt index e5337676c..945407de7 100644 --- a/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-codegen-annotations/dependencies/jvmRuntimeClasspath.txt @@ -6,8 +6,6 @@ org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt b/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt index e5337676c..945407de7 100644 --- a/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt +++ b/circuit-runtime-screen/dependencies/jvmRuntimeClasspath.txt @@ -6,8 +6,6 @@ org.jetbrains.compose.collection-internal:collection org.jetbrains.compose.runtime:runtime-desktop org.jetbrains.compose.runtime:runtime org.jetbrains.kotlin:kotlin-bom -org.jetbrains.kotlin:kotlin-stdlib-jdk7 -org.jetbrains.kotlin:kotlin-stdlib-jdk8 org.jetbrains.kotlin:kotlin-stdlib org.jetbrains.kotlinx:atomicfu-jvm org.jetbrains.kotlinx:atomicfu diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index dbb1336c6..885d4cd4f 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -21,7 +21,7 @@ compose-material = "1.6.3" compose-material3 = "1.2.1" compose-runtime = "1.6.3" compose-ui = "1.6.3" -compose-jb = "1.6.0" +compose-jb = "1.6.1" compose-jb-compiler = "1.5.10.1" compose-jb-kotlinVersion = "1.9.23" compose-integration-constraintlayout = "1.0.1" From 8600625b14f5f8eab8d1b201ccf21b4803527ecc Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 15 Mar 2024 17:21:41 -0700 Subject: [PATCH 104/123] Update dependency Markdown to v3.6 (#1286) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [Markdown](https://togithub.com/Python-Markdown/markdown) ([changelog](https://python-markdown.github.io/changelog/)) | minor | `==3.5.2` -> `==3.6` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
Python-Markdown/markdown (Markdown) ### [`v3.6`](https://togithub.com/Python-Markdown/markdown/releases/tag/3.6) [Compare Source](https://togithub.com/Python-Markdown/markdown/compare/3.5.2...3.6) ##### Changed ##### Refactor TOC Sanitation - All postprocessors are now run on heading content. - Footnote references are now stripped from heading content. Fixes [#​660](https://togithub.com/Python-Markdown/markdown/issues/660). - A more robust `striptags` is provided to convert headings to plain text. Unlike, the `markupsafe` implementation, HTML entities are not unescaped. - The plain text `name`, rich `html`, and unescaped raw `data-toc-label` are saved to `toc_tokens`, allowing users to access the full rich text content of the headings directly from `toc_tokens`. - The value of `data-toc-label` is sanitized separate from heading content before being written to `name`. This fixes a bug which allowed markup through in certain circumstances. To access the raw unsanitized data, retrieve the value from `token['data-toc-label']` directly. - An `html.unescape` call is made just prior to calling `slugify` so that `slugify` only operates on Unicode characters. Note that `html.unescape` is not run on `name`, `html`, or `data-toc-label`. - The functions `get_name` and `stashedHTML2text` defined in the `toc` extension are both **deprecated**. Instead, third party extensions should use some combination of the new functions `run_postprocessors`, `render_inner_html` and `striptags`. ##### Fixed - Include `scripts/*.py` in the generated source tarballs ([#​1430](https://togithub.com/Python-Markdown/markdown/issues/1430)). - Ensure lines after heading in loose list are properly detabbed ([#​1443](https://togithub.com/Python-Markdown/markdown/issues/1443)). - Give smarty tree processor higher priority than toc ([#​1440](https://togithub.com/Python-Markdown/markdown/issues/1440)). - Permit carets (`^`) and square brackets (`]`) but explicitly exclude backslashes (`\`) from abbreviations ([#​1444](https://togithub.com/Python-Markdown/markdown/issues/1444)). - In attribute lists (`attr_list`, `fenced_code`), quoted attribute values are now allowed to contain curly braces (`}`) ([#​1414](https://togithub.com/Python-Markdown/markdown/issues/1414)).
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 945ad0e21..f0a0abfb7 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -3,7 +3,7 @@ future==1.0.0 Jinja2==3.1.3 livereload==2.6.3 lunr==0.7.0.post1 -Markdown==3.5.2 +Markdown==3.6 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 From f2f32400c8b0956e527ded879199456d717ab11f Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 17 Mar 2024 15:35:26 -0700 Subject: [PATCH 105/123] Update dependency com.benasher44:uuid to v0.8.3 (#1287) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.benasher44:uuid](https://togithub.com/benasher44/uuid) | dependencies | patch | `0.8.2` -> `0.8.3` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
benasher44/uuid (com.benasher44:uuid) ### [`v0.8.3`](https://togithub.com/benasher44/uuid/blob/HEAD/CHANGELOG.md#083---2024-03-16) [Compare Source](https://togithub.com/benasher44/uuid/compare/0.8.2...0.8.3) ##### Changed - Bump kotlin to 1.9.23 - Add wasmWasi support
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 885d4cd4f..fc60f3736 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -283,7 +283,7 @@ truth = "com.google.truth:truth:1.4.2" turbine = { module = "app.cash.turbine:turbine", version.ref = "turbine" } # KMP UUID -uuid = "com.benasher44:uuid:0.8.2" +uuid = "com.benasher44:uuid:0.8.3" windowSizeClass = "dev.chrisbanes.material3:material3-window-size-class-multiplatform:0.5.0" From 3878a945b13238777fc952e11765ae9a3ee0fa84 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Mon, 18 Mar 2024 08:51:09 -0700 Subject: [PATCH 106/123] Update dependency mkdocs-material to v9.5.14 (#1290) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.13` -> `==9.5.14` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.14`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.14): mkdocs-material-9.5.14 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.13...9.5.14) - Added support for hiding versions from selector when using mike - Added init system to improve signal handling in Docker image - Fixed edge cases in exclusion logic of info plugin - Fixed inability to reset pipeline in search plugin - Fixed syntax error in Finnish translations - Fixed [#​6917](https://togithub.com/squidfunk/mkdocs-material/issues/6917): UTF-8 encoding problems in blog plugin on Windows - Fixed [#​6889](https://togithub.com/squidfunk/mkdocs-material/issues/6889): Transparent iframes get background color Thanks to [@​kamilkrzyskow](https://togithub.com/kamilkrzyskow), [@​yubiuser](https://togithub.com/yubiuser) and [@​todeveni](https://togithub.com/todeveni) for their contributions
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index f0a0abfb7..4fca6df5c 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.6 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.13 +mkdocs-material==9.5.14 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7.1 From 4993a35e0cd060f1bf8fdf9943dafbbd7cb4d5b5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Mon, 18 Mar 2024 08:51:19 -0700 Subject: [PATCH 107/123] Update roborazzi to v1.11.0 (#1291) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [io.github.takahirom.roborazzi](https://togithub.com/takahirom/roborazzi) | plugin | minor | `1.10.1` -> `1.11.0` | | [io.github.takahirom.roborazzi:roborazzi-junit-rule](https://togithub.com/takahirom/roborazzi) | dependencies | minor | `1.10.1` -> `1.11.0` | | [io.github.takahirom.roborazzi:roborazzi-compose](https://togithub.com/takahirom/roborazzi) | dependencies | minor | `1.10.1` -> `1.11.0` | | [io.github.takahirom.roborazzi:roborazzi](https://togithub.com/takahirom/roborazzi) | dependencies | minor | `1.10.1` -> `1.11.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
takahirom/roborazzi (io.github.takahirom.roborazzi) ### [`v1.11.0`](https://togithub.com/takahirom/roborazzi/releases/tag/1.11.0) [Compare Source](https://togithub.com/takahirom/roborazzi/compare/1.10.1...1.11.0) ##### New feature In Roborazzi, if you specify outputDir in the Gradle settings, you can use [the build cache](https://togithub.com/takahirom/roborazzi?tab=readme-ov-file#q-my-tests-are-being-skipped-or-conversely-are-being-run-when-they-should-be-skipped-how-can-i-handle-caching-to-address-this). Now, Roborazzi passes the setting into the test. build.gradle roborazzi { outputDir = "src/your/screenshot/folder" } [gradle.propeties](https://togithub.com/takahirom/roborazzi?tab=readme-ov-file#roborazzirecordfilepathstrategy) roborazzi.record.filePathStrategy=relativePathFromRoborazziContextOutputDirectory Test captureRoboImage() -> saved src/your/screenshot/folder/package.class.method.png captureRoboImage("test.png") -> saved src/your/screenshot/folder/test.png ##### What's Changed - Add helpful error message for class cast exception by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/267](https://togithub.com/takahirom/roborazzi/pull/267) - Use 'verify' task when specifying both 'compare' and 'verify' by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/269](https://togithub.com/takahirom/roborazzi/pull/269) - Respect gradle build dir for reports by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/270](https://togithub.com/takahirom/roborazzi/pull/270) - Add "The images taken from Roborazzi seem broken" FAQ by [@​takahirom](https://togithub.com/takahirom) in [https://github.com/takahirom/roborazzi/pull/277](https://togithub.com/takahirom/roborazzi/pull/277) **Full Changelog**: https://github.com/takahirom/roborazzi/compare/1.10.1...1.11.0
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index fc60f3736..525c448ad 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -52,7 +52,7 @@ paparazzi = "1.3.3" picnic = "0.7.0" retrofit = "2.9.0" robolectric = "4.11.1" -roborazzi = "1.10.1" +roborazzi = "1.11.0" skie = "0.6.2" spotless = "6.23.3" sqldelight = "2.0.1" From c957b1a676b1d3d826c271c25d36466c8d4d4cfc Mon Sep 17 00:00:00 2001 From: Alex Vanyo Date: Mon, 18 Mar 2024 11:03:27 -0700 Subject: [PATCH 108/123] Use alternate guava workaround to avoid listenablefuture:9999.0 version dependency (#1289) Fixes #1288 by using an alternate workaround adapted from https://cs.android.com/androidx/platform/frameworks/support/+/androidx-main:buildSrc/private/src/main/kotlin/androidx/build/AndroidXImplPlugin.kt;l=1131;drc=4e35394a21079bf5a9f2e0e204c7f325c92aadc5 --------- Co-authored-by: Zac Sweers --- backstack/build.gradle.kts | 2 -- build.gradle.kts | 7 +++++++ circuit-foundation/build.gradle.kts | 2 -- circuit-overlay/build.gradle.kts | 6 ------ circuit-retained/build.gradle.kts | 2 -- circuit-runtime-presenter/build.gradle.kts | 6 ------ circuit-runtime-ui/build.gradle.kts | 6 ------ circuit-runtime/build.gradle.kts | 6 ------ circuit-test/build.gradle.kts | 6 ------ circuitx/android/build.gradle.kts | 2 -- circuitx/effects/build.gradle.kts | 6 ------ circuitx/gesture-navigation/build.gradle.kts | 2 -- circuitx/overlays/build.gradle.kts | 2 -- gradle/libs.versions.toml | 4 ---- samples/star/build.gradle.kts | 2 -- 15 files changed, 7 insertions(+), 54 deletions(-) diff --git a/backstack/build.gradle.kts b/backstack/build.gradle.kts index 909d9ceb6..40ea083de 100644 --- a/backstack/build.gradle.kts +++ b/backstack/build.gradle.kts @@ -53,8 +53,6 @@ kotlin { implementation(libs.androidx.lifecycle.viewModel.compose) api(libs.androidx.lifecycle.viewModel) api(libs.androidx.compose.runtime) - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) } } val commonTest by getting { diff --git a/build.gradle.kts b/build.gradle.kts index a33a0598e..d1637f9e3 100644 --- a/build.gradle.kts +++ b/build.gradle.kts @@ -242,6 +242,13 @@ subprojects { // endregion } + // Teach Gradle that full guava replaces listenablefuture. + // This bypasses the dependency resolution that transitively bumps listenablefuture to a 9999.0 + // version that is empty. + dependencies.modules { + module("com.google.guava:listenablefuture") { replacedBy("com.google.guava:guava") } + } + pluginManager.withPlugin("com.vanniktech.maven.publish") { apply(plugin = "org.jetbrains.dokka") diff --git a/circuit-foundation/build.gradle.kts b/circuit-foundation/build.gradle.kts index 11068ad1c..0f57faf64 100644 --- a/circuit-foundation/build.gradle.kts +++ b/circuit-foundation/build.gradle.kts @@ -55,8 +55,6 @@ kotlin { api(libs.androidx.compose.runtime) api(libs.androidx.compose.animation) implementation(libs.androidx.compose.integration.activity) - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) } } val commonTest by getting { diff --git a/circuit-overlay/build.gradle.kts b/circuit-overlay/build.gradle.kts index 356593c74..3646d4cab 100644 --- a/circuit-overlay/build.gradle.kts +++ b/circuit-overlay/build.gradle.kts @@ -64,12 +64,6 @@ kotlin { implementation(libs.compose.test.junit4) } } - androidMain { - dependencies { - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) - } - } } } diff --git a/circuit-retained/build.gradle.kts b/circuit-retained/build.gradle.kts index 4b7036062..f61189379 100644 --- a/circuit-retained/build.gradle.kts +++ b/circuit-retained/build.gradle.kts @@ -48,7 +48,6 @@ kotlin { api(libs.androidx.lifecycle.viewModel) api(libs.androidx.compose.runtime) implementation(libs.androidx.compose.ui.ui) - implementation(libs.guava.listenablefuture) } } @@ -77,7 +76,6 @@ kotlin { implementation(libs.androidx.compose.ui.ui) implementation(libs.coroutines) implementation(libs.coroutines.android) - implementation(libs.guava.listenablefuture) implementation(libs.leakcanary.android.instrumentation) implementation(projects.circuitRetained) } diff --git a/circuit-runtime-presenter/build.gradle.kts b/circuit-runtime-presenter/build.gradle.kts index 51d740a4e..e239c5088 100644 --- a/circuit-runtime-presenter/build.gradle.kts +++ b/circuit-runtime-presenter/build.gradle.kts @@ -40,12 +40,6 @@ kotlin { api(projects.circuitRuntimeScreen) } } - androidMain { - dependencies { - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) - } - } } } diff --git a/circuit-runtime-ui/build.gradle.kts b/circuit-runtime-ui/build.gradle.kts index aa8c2de0a..e8fad97a1 100644 --- a/circuit-runtime-ui/build.gradle.kts +++ b/circuit-runtime-ui/build.gradle.kts @@ -41,12 +41,6 @@ kotlin { api(projects.circuitRuntimeScreen) } } - androidMain { - dependencies { - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) - } - } } } diff --git a/circuit-runtime/build.gradle.kts b/circuit-runtime/build.gradle.kts index 6c15e8ca1..7f0311746 100644 --- a/circuit-runtime/build.gradle.kts +++ b/circuit-runtime/build.gradle.kts @@ -43,12 +43,6 @@ kotlin { api(projects.circuitRuntimeScreen) } } - androidMain { - dependencies { - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) - } - } } } diff --git a/circuit-test/build.gradle.kts b/circuit-test/build.gradle.kts index ecabacd7b..551e2ef3f 100644 --- a/circuit-test/build.gradle.kts +++ b/circuit-test/build.gradle.kts @@ -63,12 +63,6 @@ kotlin { } val jvmTest by getting { dependsOn(commonJvmTest) } val androidUnitTest by getting { dependsOn(commonJvmTest) } - androidMain { - dependencies { - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) - } - } } } diff --git a/circuitx/android/build.gradle.kts b/circuitx/android/build.gradle.kts index eefc35344..00e7a06da 100644 --- a/circuitx/android/build.gradle.kts +++ b/circuitx/android/build.gradle.kts @@ -12,6 +12,4 @@ android { namespace = "com.slack.circuitx.android" } dependencies { implementation(libs.androidx.annotation) api(projects.circuitRuntime) - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) } diff --git a/circuitx/effects/build.gradle.kts b/circuitx/effects/build.gradle.kts index 497be1fc2..cf410dfbc 100644 --- a/circuitx/effects/build.gradle.kts +++ b/circuitx/effects/build.gradle.kts @@ -42,12 +42,6 @@ kotlin { implementation(projects.circuitFoundation) } } - androidMain { - dependencies { - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) - } - } val commonTest by getting { dependencies { implementation(compose.foundation) diff --git a/circuitx/gesture-navigation/build.gradle.kts b/circuitx/gesture-navigation/build.gradle.kts index 8ed72535b..37b863a87 100644 --- a/circuitx/gesture-navigation/build.gradle.kts +++ b/circuitx/gesture-navigation/build.gradle.kts @@ -46,8 +46,6 @@ kotlin { api(libs.compose.material.material3) implementation(libs.compose.uiUtil) implementation(libs.androidx.activity.compose) - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) } } diff --git a/circuitx/overlays/build.gradle.kts b/circuitx/overlays/build.gradle.kts index a6f704ad3..c569b1923 100644 --- a/circuitx/overlays/build.gradle.kts +++ b/circuitx/overlays/build.gradle.kts @@ -48,8 +48,6 @@ kotlin { dependencies { api(libs.androidx.compose.material.material3) implementation(libs.androidx.compose.accompanist.systemUi) - // Because guava's dependencies are a tangled mess - implementation(libs.guava.listenablefuture) } } } diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 525c448ad..c7dcc1fd6 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -213,10 +213,6 @@ desugarJdkLibs = "com.android.tools:desugar_jdk_libs:2.0.4" eithernet = { module = "com.slack.eithernet:eithernet", version.ref = "eithernet" } eithernet-testFixtures = { module = "com.slack.eithernet:eithernet", version.ref = "eithernet" } - -# Cover for guava's annoying conflicting artifacts -guava-listenablefuture = "com.google.guava:listenablefuture:9999.0-empty-to-avoid-conflict-with-guava" - hilt = { module = "com.google.dagger:hilt-core", version.ref = "dagger" } jline = "org.jline:jline:3.25.1" jsoup = "org.jsoup:jsoup:1.17.2" diff --git a/samples/star/build.gradle.kts b/samples/star/build.gradle.kts index 8d47efdb2..f3f7d6cf4 100644 --- a/samples/star/build.gradle.kts +++ b/samples/star/build.gradle.kts @@ -110,7 +110,6 @@ kotlin { implementation(libs.compose.material.icons) implementation(libs.dagger) implementation(libs.eithernet) - implementation(libs.guava.listenablefuture) implementation(libs.jsoup) implementation(libs.coil3.network.okhttp) implementation(libs.ktor.client.engine.okhttp) @@ -170,7 +169,6 @@ kotlin { implementation(libs.androidx.compose.ui.testing.junit) implementation(libs.androidx.compose.ui.testing.manifest) implementation(libs.coroutines.test) - implementation(libs.guava.listenablefuture) implementation(libs.junit) implementation(libs.leakcanary.android.instrumentation) implementation(libs.truth) From bf542cbfc7968055dae8fe1cf186d6629412fe67 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 18 Mar 2024 14:32:28 -0400 Subject: [PATCH 109/123] Prepare for release 0.20.0. --- CHANGELOG.md | 27 + .../baselineProfiles/baseline-prof.txt | 38 +- .../baselineProfiles/baseline-prof.txt | 89 +- .../baselineProfiles/baseline-prof.txt | 17 +- .../baselineProfiles/baseline-prof.txt | 1 + .../baselineProfiles/baseline-prof.txt | 1 + gradle.properties | 2 +- .../baselineProfiles/baseline-prof.txt | 1776 +++++++++-------- .../baselineProfiles/startup-prof.txt | 1776 +++++++++-------- 9 files changed, 2085 insertions(+), 1642 deletions(-) diff --git a/CHANGELOG.md b/CHANGELOG.md index 2c1a5db9a..5629af9ca 100644 --- a/CHANGELOG.md +++ b/CHANGELOG.md @@ -4,6 +4,33 @@ Changelog **Unreleased** -------------- +0.20.0 +------ + +_2024-03-18_ + +- **New**: Enable `RememberObserver` to work with `rememberRetained`. +- **New**: Add `Navigator.popRoot()`. extension (#1274) +- **Behavior change**: Add a key to `CircuitContent` to keep `Ui` and `Presenter` consistent. We already did this for presenters, this just makes it consistent for both. +- [circuitx-android] Implement `ToastEffect`. +- **Fix**: Fix `rememberImpressionNavigator()` not delegating `PopResult`. +- **Fix**: Navigator - Pass `PopResult` to `onRootPop()`. +- **Fix**: Check `canRetainCheck` when saving `RetainedStateRegistry`. +- **Enhancement**: Improve error messaging when using assisted inject. +- Force `com.google.guava:listenablefuture` to `1.0` to avoid conflicts with Guava. +- Update compose-compiler to `1.5.10.1`. +- Update coroutines to `1.8.0`. +- Update to Compose Multiplatform `1.6.1`. +- Update Android compose dependencies to `1.6.3`. +- Update molecule to `1.4.1`. +- Update dagger to `2.51`. +- Update turbine to `1.1.0`. +- Update uuid to `0.8.3`. +- Update kotlin to `1.9.23`. +- Update KSP to `1.9.23-1.0.19`. + +Special thanks to [@chrisbanes](https://github.com/chrisbanes), [@aschulz90](https://github.com/aschulz90), and [@alexvanyo](https://github.com/alexvanyo) for contributing to this release! + 0.19.1 ------ diff --git a/backstack/src/androidMain/generated/baselineProfiles/baseline-prof.txt b/backstack/src/androidMain/generated/baselineProfiles/baseline-prof.txt index 465d261b1..d541bd29e 100644 --- a/backstack/src/androidMain/generated/baselineProfiles/baseline-prof.txt +++ b/backstack/src/androidMain/generated/baselineProfiles/baseline-prof.txt @@ -1,4 +1,5 @@ Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/backstack/BackStack;->push$default(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;ILjava/lang/Object;)V Lcom/slack/circuit/backstack/BackStack$Record; Lcom/slack/circuit/backstack/BackStackKt; HSPLcom/slack/circuit/backstack/BackStackKt;->isEmpty(Lcom/slack/circuit/backstack/BackStack;)Z @@ -26,7 +27,7 @@ PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; PLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->access$getValueProviders$p(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;)Ljava/util/Map; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->canBeSaved(Ljava/lang/Object;)Z -HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; +HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->consumeRestored(Ljava/lang/String;)Ljava/lang/Object; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->getParentRegistry()Landroidx/compose/runtime/saveable/SaveableStateRegistry; HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->performSave()Ljava/util/Map; HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;->registerProvider(Ljava/lang/String;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/saveable/SaveableStateRegistry$Entry; @@ -51,7 +52,7 @@ HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registe Lcom/slack/circuit/backstack/CompositeProvidedValues; HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->()V HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->(Ljava/util/List;)V -HPLcom/slack/circuit/backstack/CompositeProvidedValues;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; Lcom/slack/circuit/backstack/NavDecoration; Lcom/slack/circuit/backstack/NestedRememberObserver; HSPLcom/slack/circuit/backstack/NestedRememberObserver;->(Lkotlin/jvm/functions/Function0;)V @@ -68,14 +69,20 @@ HSPLcom/slack/circuit/backstack/NestedRememberObserver$UiRememberObserver;->onRe Lcom/slack/circuit/backstack/ProvidedValues; Lcom/slack/circuit/backstack/SaveableBackStack; HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getEntryList$p(Lcom/slack/circuit/backstack/SaveableBackStack;)Landroidx/compose/runtime/snapshots/SnapshotStateList; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +PLcom/slack/circuit/backstack/SaveableBackStack;->containsRecord(Lcom/slack/circuit/backstack/BackStack$Record;Z)Z +PLcom/slack/circuit/backstack/SaveableBackStack;->containsRecord(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Z)Z +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getStateStore$backstack_release()Ljava/util/Map; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/BackStack$Record; +HSPLcom/slack/circuit/backstack/SaveableBackStack;->getTopRecord()Lcom/slack/circuit/backstack/SaveableBackStack$Record; HSPLcom/slack/circuit/backstack/SaveableBackStack;->iterator()Ljava/util/Iterator; -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;)V -HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/lang/String;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack;->push(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V Lcom/slack/circuit/backstack/SaveableBackStack$Companion; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -83,7 +90,7 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion;->getSaver()Landroid Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack;)Ljava/util/List; +HPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack;)Ljava/util/List; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Companion$Saver$2;->()V @@ -92,12 +99,15 @@ Lcom/slack/circuit/backstack/SaveableBackStack$Record; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;)V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->(Lcom/slack/circuit/runtime/screen/Screen;Ljava/util/Map;Ljava/lang/String;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getResultKey$p(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/lang/String; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->access$readResult(Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Lcom/slack/circuit/runtime/screen/PopResult; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getArgs()Ljava/util/Map; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getKey()Ljava/lang/String; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->getScreen()Lcom/slack/circuit/runtime/screen/Screen; HPLcom/slack/circuit/backstack/SaveableBackStack$Record;->hashCode()I +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record;->readResult()Lcom/slack/circuit/runtime/screen/PopResult; Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -105,17 +115,17 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion;->getSaver()L Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->()V -HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/util/List; +HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Lcom/slack/circuit/backstack/SaveableBackStack$Record;)Ljava/util/Map; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2; HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack$Record$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/SaveableBackStackKt; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; -Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->(Lkotlin/jvm/functions/Function1;)V -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; -HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt;->rememberSaveableBackStack(Ljava/util/List;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/backstack/SaveableBackStack; +Lcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->(Ljava/util/List;)V +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Lcom/slack/circuit/backstack/SaveableBackStack; +HSPLcom/slack/circuit/backstack/SaveableBackStackKt$rememberSaveableBackStack$4;->invoke()Ljava/lang/Object; Lcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider; HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V HSPLcom/slack/circuit/backstack/SaveableStateRegistryBackStackRecordLocalProvider;->()V diff --git a/circuit-foundation/src/androidMain/generated/baselineProfiles/baseline-prof.txt b/circuit-foundation/src/androidMain/generated/baselineProfiles/baseline-prof.txt index a69df7e8b..0ff229a53 100644 --- a/circuit-foundation/src/androidMain/generated/baselineProfiles/baseline-prof.txt +++ b/circuit-foundation/src/androidMain/generated/baselineProfiles/baseline-prof.txt @@ -1,3 +1,27 @@ +Lcom/slack/circuit/foundation/AnsweringNavigatorKt; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->access$rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/backstack/BackStack; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator$lambda$5(Landroidx/compose/runtime/MutableState;)Z +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +HPLcom/slack/circuit/foundation/AnsweringNavigatorKt;->rememberAnsweringNavigator(Lcom/slack/circuit/runtime/Navigator;Lkotlin/reflect/KClass;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/GoToNavigator; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$answeringNavigator$1$1;->(Ljava/lang/String;Landroidx/compose/runtime/State;Landroidx/compose/runtime/MutableState;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$currentTopRecordKey$2$1;->(Landroidx/compose/runtime/State;)V +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$initialRecordKey$1$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$key$1;->invoke()Ljava/lang/String; +Lcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->()V +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Landroidx/compose/runtime/MutableState; +HSPLcom/slack/circuit/foundation/AnsweringNavigatorKt$rememberAnsweringNavigator$launched$2;->invoke()Ljava/lang/Object; Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/foundation/Circuit;->()V HSPLcom/slack/circuit/foundation/Circuit;->(Lcom/slack/circuit/foundation/Circuit$Builder;)V @@ -37,20 +61,20 @@ HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$ HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Lcom/slack/circuit/runtime/CircuitContext; HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt; -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Landroidx/compose/runtime/Composer;I)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Landroidx/compose/runtime/Composer;II)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10; -HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Ljava/lang/Object;II)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Landroidx/compose/runtime/Composer;I)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;)V +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Ljava/lang/Object;)V HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4;->(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;II)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4;->(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;II)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5; HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->(Lcom/slack/circuit/foundation/EventListener;)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; @@ -77,7 +101,7 @@ Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$ HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->(Lcom/slack/circuit/foundation/EventListener;)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$9$invoke$$inlined$onDispose$1;->dispose()V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1;->(Lkotlin/jvm/functions/Function1;)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$navigator$1$1;->(Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/runtime/screen/Screen;)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1; HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->(Ljava/lang/Object;)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$presenter$1$1;->invoke(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/presenter/Presenter; @@ -123,6 +147,7 @@ HSPLcom/slack/circuit/foundation/EventListener$Companion;->getNONE()Lcom/slack/c Lcom/slack/circuit/foundation/EventListener$Companion$NONE$1; HSPLcom/slack/circuit/foundation/EventListener$Companion$NONE$1;->()V Lcom/slack/circuit/foundation/NavigableCircuitContentKt; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->()V HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->NavigableCircuitContent(Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/backstack/NavDecoration;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$1(Landroidx/compose/runtime/State;)Lcom/slack/circuit/runtime/Navigator; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->access$buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; @@ -132,13 +157,17 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContent HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/foundation/Circuit; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders$lambda$3(Landroidx/compose/runtime/State;)Lkotlin/jvm/functions/Function4; HPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->buildCircuitContentProviders(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getLocalBackStack()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt;->getRegistryKey(Lcom/slack/circuit/backstack/BackStack$Record;)Ljava/lang/String; +Lcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1; +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$LocalBackStack$1;->()V Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2; HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->(Lcom/slack/circuit/backstack/NavDecoration;Lkotlinx/collections/immutable/ImmutableList;Lcom/slack/circuit/backstack/BackStack;Landroidx/compose/ui/Modifier;Lkotlinx/collections/immutable/ImmutableMap;)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1; -PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->$r8$lambda$OLYvGXvByHk9HzppmdzMrsHHJac(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->$r8$lambda$_sFOl3ShEX3wPsXtWq7eMMTEWRA(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->(Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;)V PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke$lambda$1$lambda$0(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke(Lcom/slack/circuit/foundation/RecordContentProvider;Landroidx/compose/runtime/Composer;I)V @@ -147,7 +176,7 @@ Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;)V PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$$ExternalSyntheticLambda0;->canRetain(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1; -HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->(Lcom/slack/circuit/backstack/BackStack$Record;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/foundation/RecordContentProvider;)V +HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->(Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;Lcom/slack/circuit/foundation/RecordContentProvider;)V HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1$1$1; @@ -177,36 +206,40 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$buildCircuitContentPr Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration; HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->()V -HPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->DecoratedContent(Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->(I)V -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;->DecoratedContent(Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;Landroidx/compose/runtime/Composer;I)V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->()V +HPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Landroidx/compose/animation/AnimatedContentTransitionScope;)Landroidx/compose/animation/ContentTransform; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2; HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->(Lkotlin/jvm/functions/Function3;)V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Landroidx/compose/animation/AnimatedContentScope;Lkotlinx/collections/immutable/ImmutableList;Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$3; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$3;->(Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration;Lkotlinx/collections/immutable/ImmutableList;ILandroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function3;I)V -Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->(I)V -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->invoke()Landroidx/compose/runtime/MutableState; -HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$DecoratedContent$prevStackDepth$1$1;->invoke()Ljava/lang/Object; +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$backward$2;->()V +Lcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2; +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V +HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V -HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V +HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;)V Lcom/slack/circuit/foundation/NavigatorImplKt; -HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; -HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function1; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->onBack(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)Lkotlin/jvm/functions/Function0; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;ZLandroidx/compose/runtime/Composer;II)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1; -HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Ljava/lang/Object;)V -Lcom/slack/circuit/foundation/Navigator_androidKt$rememberCircuitNavigator$1$1; -HSPLcom/slack/circuit/foundation/Navigator_androidKt$rememberCircuitNavigator$1$1;->(Ljava/lang/Object;)V +HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Landroidx/activity/OnBackPressedDispatcher;)V +Lcom/slack/circuit/foundation/Navigator_androidKt$onBack$1; +HSPLcom/slack/circuit/foundation/Navigator_androidKt$onBack$1;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)V Lcom/slack/circuit/foundation/RecordContentProvider; HSPLcom/slack/circuit/foundation/RecordContentProvider;->()V HSPLcom/slack/circuit/foundation/RecordContentProvider;->(Lcom/slack/circuit/backstack/BackStack$Record;Lkotlin/jvm/functions/Function3;)V +HSPLcom/slack/circuit/foundation/RecordContentProvider;->equals(Ljava/lang/Object;)Z HSPLcom/slack/circuit/foundation/RecordContentProvider;->getContent$circuit_foundation_release()Lkotlin/jvm/functions/Function3; HSPLcom/slack/circuit/foundation/RecordContentProvider;->getRecord()Lcom/slack/circuit/backstack/BackStack$Record; -HPLcom/slack/circuit/foundation/RecordContentProvider;->hashCode()I \ No newline at end of file +HSPLcom/slack/circuit/foundation/RecordContentProvider;->hashCode()I \ No newline at end of file diff --git a/circuit-overlay/src/androidMain/generated/baselineProfiles/baseline-prof.txt b/circuit-overlay/src/androidMain/generated/baselineProfiles/baseline-prof.txt index bd2b5bb27..b92519109 100644 --- a/circuit-overlay/src/androidMain/generated/baselineProfiles/baseline-prof.txt +++ b/circuit-overlay/src/androidMain/generated/baselineProfiles/baseline-prof.txt @@ -10,6 +10,7 @@ HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda- HSPLcom/slack/circuit/overlay/ComposableSingletons$ContentWithOverlaysKt$lambda-1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/overlay/ContentWithOverlaysKt; HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays$lambda$2(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayState; HPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->ContentWithOverlays(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt;->access$ContentWithOverlays$lambda$0(Landroidx/compose/runtime/State;)Lcom/slack/circuit/overlay/OverlayHostData; Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1; @@ -23,6 +24,10 @@ HPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->i HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2; HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$2;->(Landroidx/compose/ui/Modifier;Lcom/slack/circuit/overlay/OverlayHost;Lkotlin/jvm/functions/Function2;II)V +Lcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->(Landroidx/compose/runtime/State;)V +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/ContentWithOverlaysKt$ContentWithOverlays$overlayState$2$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/overlay/Overlay; Lcom/slack/circuit/overlay/OverlayHost; Lcom/slack/circuit/overlay/OverlayHostData; @@ -35,4 +40,14 @@ HSPLcom/slack/circuit/overlay/OverlayKt;->getLocalOverlayHost()Landroidx/compose HSPLcom/slack/circuit/overlay/OverlayKt;->rememberOverlayHost(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/overlay/OverlayHost; Lcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1; HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V -HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V \ No newline at end of file +HSPLcom/slack/circuit/overlay/OverlayKt$LocalOverlayHost$1;->()V +Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->$values()[Lcom/slack/circuit/overlay/OverlayState; +HSPLcom/slack/circuit/overlay/OverlayState;->()V +HSPLcom/slack/circuit/overlay/OverlayState;->(Ljava/lang/String;I)V +Lcom/slack/circuit/overlay/OverlayStateKt; +HSPLcom/slack/circuit/overlay/OverlayStateKt;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt;->getLocalOverlayState()Landroidx/compose/runtime/ProvidableCompositionLocal; +Lcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1; +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V +HSPLcom/slack/circuit/overlay/OverlayStateKt$LocalOverlayState$1;->()V \ No newline at end of file diff --git a/circuit-runtime-screen/src/androidMain/generated/baselineProfiles/baseline-prof.txt b/circuit-runtime-screen/src/androidMain/generated/baselineProfiles/baseline-prof.txt index 410688b6d..056d29ed3 100644 --- a/circuit-runtime-screen/src/androidMain/generated/baselineProfiles/baseline-prof.txt +++ b/circuit-runtime-screen/src/androidMain/generated/baselineProfiles/baseline-prof.txt @@ -1 +1,2 @@ +Lcom/slack/circuit/runtime/screen/PopResult; Lcom/slack/circuit/runtime/screen/Screen; \ No newline at end of file diff --git a/circuit-runtime/src/androidMain/generated/baselineProfiles/baseline-prof.txt b/circuit-runtime/src/androidMain/generated/baselineProfiles/baseline-prof.txt index 4e00dca9e..8b0f6dd06 100644 --- a/circuit-runtime/src/androidMain/generated/baselineProfiles/baseline-prof.txt +++ b/circuit-runtime/src/androidMain/generated/baselineProfiles/baseline-prof.txt @@ -7,4 +7,5 @@ Lcom/slack/circuit/runtime/CircuitContext$Companion; HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->()V HSPLcom/slack/circuit/runtime/CircuitContext$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lcom/slack/circuit/runtime/CircuitUiState; +Lcom/slack/circuit/runtime/GoToNavigator; Lcom/slack/circuit/runtime/Navigator; \ No newline at end of file diff --git a/gradle.properties b/gradle.properties index 33a4b0ff0..b8340b6a5 100644 --- a/gradle.properties +++ b/gradle.properties @@ -83,7 +83,7 @@ POM_DEVELOPER_ID=slackhq POM_DEVELOPER_NAME=Slack Technologies, Inc. POM_DEVELOPER_URL=https://github.com/slackhq POM_INCEPTION_YEAR=2022 -VERSION_NAME=0.20.0-SNAPSHOT +VERSION_NAME=0.20.0 circuit.mavenUrls.snapshots.sonatype=https://oss.sonatype.org/content/repositories/snapshots circuit.mavenUrls.snapshots.sonatypes01=https://s01.oss.sonatype.org/content/repositories/snapshots diff --git a/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt b/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt index a4bc72dff..453d9f3f1 100644 --- a/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt +++ b/samples/star/apk/src/release/generated/baselineProfiles/baseline-prof.txt @@ -67,7 +67,7 @@ HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Lan PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Insets;)I HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Paint;Landroid/graphics/BlendMode;)V -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Z +HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;IIII)Z PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/translation/ViewTranslationCallback;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Z)V @@ -82,7 +82,7 @@ HSPLandroidx/activity/EdgeToEdgeApi29;->()V HSPLandroidx/activity/EdgeToEdgeApi29;->setUp(Landroidx/activity/SystemBarStyle;Landroidx/activity/SystemBarStyle;Landroid/view/Window;Landroid/view/View;ZZ)V Landroidx/activity/EdgeToEdgeImpl; Landroidx/activity/FullyDrawnReporter; -HSPLandroidx/activity/FullyDrawnReporter;->$r8$lambda$9oQ81V-Fq3e0CkAqj9HHhVQeVeY(Landroidx/activity/FullyDrawnReporter;)V +HSPLandroidx/activity/FullyDrawnReporter;->$r8$lambda$A0RwxxT-QIMFOsDA3Nv48auR1K4(Landroidx/activity/FullyDrawnReporter;)V HSPLandroidx/activity/FullyDrawnReporter;->(Ljava/util/concurrent/Executor;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/activity/FullyDrawnReporter;->addOnReportDrawnListener(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/activity/FullyDrawnReporter;->addReporter()V @@ -157,7 +157,7 @@ HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnRepo Landroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->()V HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->()V -HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/FullyDrawnReporterOwner; +HPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/FullyDrawnReporterOwner; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/ViewTreeOnBackPressedDispatcherOwner; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner;->get(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; @@ -170,7 +170,7 @@ HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPre Landroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V -HPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; +HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/compose/BackHandlerKt; HPLandroidx/activity/compose/BackHandlerKt;->BackHandler(ZLkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)V @@ -418,7 +418,7 @@ HSPLandroidx/appcompat/view/WindowCallbackWrapper;->getWrapped()Landroid/view/Wi HSPLandroidx/appcompat/view/WindowCallbackWrapper;->onAttachedToWindow()V PLandroidx/appcompat/view/WindowCallbackWrapper;->onDetachedFromWindow()V HSPLandroidx/appcompat/view/WindowCallbackWrapper;->onWindowAttributesChanged(Landroid/view/WindowManager$LayoutParams;)V -PLandroidx/appcompat/view/WindowCallbackWrapper;->onWindowFocusChanged(Z)V +HSPLandroidx/appcompat/view/WindowCallbackWrapper;->onWindowFocusChanged(Z)V Landroidx/appcompat/view/menu/MenuBuilder$Callback; Landroidx/appcompat/widget/AppCompatDrawableManager; HSPLandroidx/appcompat/widget/AppCompatDrawableManager;->()V @@ -515,8 +515,8 @@ HPLandroidx/arch/core/internal/FastSafeIterableMap;->putIfAbsent(Ljava/lang/Obje HPLandroidx/arch/core/internal/FastSafeIterableMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/arch/core/internal/SafeIterableMap; HSPLandroidx/arch/core/internal/SafeIterableMap;->()V -HPLandroidx/arch/core/internal/SafeIterableMap;->descendingIterator()Ljava/util/Iterator; -HSPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; +PLandroidx/arch/core/internal/SafeIterableMap;->descendingIterator()Ljava/util/Iterator; +HPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->get(Ljava/lang/Object;)Landroidx/arch/core/internal/SafeIterableMap$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->iterator()Ljava/util/Iterator; HPLandroidx/arch/core/internal/SafeIterableMap;->iteratorWithAdditions()Landroidx/arch/core/internal/SafeIterableMap$IteratorWithAdditions; @@ -529,7 +529,7 @@ Landroidx/arch/core/internal/SafeIterableMap$AscendingIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$AscendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->backward(Landroidx/arch/core/internal/SafeIterableMap$Entry;)Landroidx/arch/core/internal/SafeIterableMap$Entry; -PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->forward(Landroidx/arch/core/internal/SafeIterableMap$Entry;)Landroidx/arch/core/internal/SafeIterableMap$Entry; +HPLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->forward(Landroidx/arch/core/internal/SafeIterableMap$Entry;)Landroidx/arch/core/internal/SafeIterableMap$Entry; Landroidx/arch/core/internal/SafeIterableMap$Entry; HPLandroidx/arch/core/internal/SafeIterableMap$Entry;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLandroidx/arch/core/internal/SafeIterableMap$Entry;->getKey()Ljava/lang/Object; @@ -545,7 +545,7 @@ HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->(Landroidx/ HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->hasNext()Z PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/lang/Object; HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; -HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; +PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->supportRemove(Landroidx/arch/core/internal/SafeIterableMap$Entry;)V Landroidx/arch/core/internal/SafeIterableMap$SupportRemove; HSPLandroidx/arch/core/internal/SafeIterableMap$SupportRemove;->()V @@ -613,7 +613,7 @@ PLandroidx/collection/MutableIntIntMap;->set(II)V Landroidx/collection/MutableIntObjectMap; HSPLandroidx/collection/MutableIntObjectMap;->(I)V HSPLandroidx/collection/MutableIntObjectMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/collection/MutableIntObjectMap;->findAbsoluteInsertIndex(I)I +HPLandroidx/collection/MutableIntObjectMap;->findAbsoluteInsertIndex(I)I HSPLandroidx/collection/MutableIntObjectMap;->findFirstAvailableSlot(I)I HSPLandroidx/collection/MutableIntObjectMap;->initializeGrowth()V HSPLandroidx/collection/MutableIntObjectMap;->initializeMetadata(I)V @@ -636,12 +636,13 @@ HPLandroidx/collection/MutableObjectIntMap;->initializeStorage(I)V HPLandroidx/collection/MutableObjectIntMap;->put(Ljava/lang/Object;II)I HPLandroidx/collection/MutableObjectIntMap;->removeValueAt(I)V HPLandroidx/collection/MutableObjectIntMap;->resizeStorage(I)V -HPLandroidx/collection/MutableObjectIntMap;->set(Ljava/lang/Object;I)V +HSPLandroidx/collection/MutableObjectIntMap;->set(Ljava/lang/Object;I)V Landroidx/collection/MutableScatterMap; HPLandroidx/collection/MutableScatterMap;->(I)V HPLandroidx/collection/MutableScatterMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/collection/MutableScatterMap;->adjustStorage()V HPLandroidx/collection/MutableScatterMap;->findFirstAvailableSlot(I)I +HSPLandroidx/collection/MutableScatterMap;->findInsertIndex(Ljava/lang/Object;)I HPLandroidx/collection/MutableScatterMap;->initializeGrowth()V HPLandroidx/collection/MutableScatterMap;->initializeMetadata(I)V HPLandroidx/collection/MutableScatterMap;->initializeStorage(I)V @@ -672,7 +673,7 @@ HPLandroidx/collection/ObjectIntMap;->findKeyIndex(Ljava/lang/Object;)I HPLandroidx/collection/ObjectIntMap;->getCapacity()I HSPLandroidx/collection/ObjectIntMap;->getOrDefault(Ljava/lang/Object;I)I HSPLandroidx/collection/ObjectIntMap;->getSize()I -HSPLandroidx/collection/ObjectIntMap;->isNotEmpty()Z +HPLandroidx/collection/ObjectIntMap;->isNotEmpty()Z Landroidx/collection/ObjectIntMapKt; HSPLandroidx/collection/ObjectIntMapKt;->()V HPLandroidx/collection/ObjectIntMapKt;->emptyObjectIntMap()Landroidx/collection/ObjectIntMap; @@ -857,7 +858,7 @@ Landroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2; HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2;->(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)V Landroidx/compose/animation/ContentTransform; HSPLandroidx/compose/animation/ContentTransform;->()V -HPLandroidx/compose/animation/ContentTransform;->(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;FLandroidx/compose/animation/SizeTransform;)V +HSPLandroidx/compose/animation/ContentTransform;->(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;FLandroidx/compose/animation/SizeTransform;)V HSPLandroidx/compose/animation/ContentTransform;->(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;FLandroidx/compose/animation/SizeTransform;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/ContentTransform;->getSizeTransform()Landroidx/compose/animation/SizeTransform; HSPLandroidx/compose/animation/ContentTransform;->getTargetContentEnter()Landroidx/compose/animation/EnterTransition; @@ -891,7 +892,7 @@ HSPLandroidx/compose/animation/EnterExitTransitionElement;->(Landroidx/com HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/animation/EnterExitTransitionModifierNode; HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/ui/Modifier$Node; Landroidx/compose/animation/EnterExitTransitionKt; -HSPLandroidx/compose/animation/EnterExitTransitionKt;->$r8$lambda$pdcBkeht65McNmOdPY-G1SsWYlU(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->$r8$lambda$1JgidYUxIRNwEZ0kscHeqkwDXjI(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/animation/EnterExitTransitionKt;->()V HSPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock$lambda$11(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/GraphicsLayerBlockForEnterExit; @@ -1019,7 +1020,7 @@ PLandroidx/compose/animation/core/Animatable;->runAnimation(Landroidx/compose/an PLandroidx/compose/animation/core/Animatable;->setRunning(Z)V PLandroidx/compose/animation/core/Animatable;->setTargetValue(Ljava/lang/Object;)V PLandroidx/compose/animation/core/Animatable;->snapTo(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/animation/core/Animatable$runAnimation$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -1049,7 +1050,7 @@ HPLandroidx/compose/animation/core/AnimateAsStateKt;->animateValueAsState(Ljava/ Landroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2; HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->(Lkotlinx/coroutines/channels/Channel;Ljava/lang/Object;)V HSPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->invoke()Ljava/lang/Object; -HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->invoke()V +HSPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->invoke()V Landroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3; HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3;->(Lkotlinx/coroutines/channels/Channel;Landroidx/compose/animation/core/Animatable;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; @@ -1093,14 +1094,14 @@ HPLandroidx/compose/animation/core/AnimationSpecKt;->tween(IILandroidx/compose/a Landroidx/compose/animation/core/AnimationState; HSPLandroidx/compose/animation/core/AnimationState;->()V HPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZ)V -HSPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/animation/core/AnimationState;->getLastFrameTimeNanos()J PLandroidx/compose/animation/core/AnimationState;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/AnimationState;->getValue()Ljava/lang/Object; HPLandroidx/compose/animation/core/AnimationState;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/AnimationState;->isRunning()Z PLandroidx/compose/animation/core/AnimationState;->setFinishedTimeNanos$animation_core_release(J)V -PLandroidx/compose/animation/core/AnimationState;->setLastFrameTimeNanos$animation_core_release(J)V +HPLandroidx/compose/animation/core/AnimationState;->setLastFrameTimeNanos$animation_core_release(J)V PLandroidx/compose/animation/core/AnimationState;->setRunning$animation_core_release(Z)V HPLandroidx/compose/animation/core/AnimationState;->setValue$animation_core_release(Ljava/lang/Object;)V PLandroidx/compose/animation/core/AnimationState;->setVelocityVector$animation_core_release(Landroidx/compose/animation/core/AnimationVector;)V @@ -1116,22 +1117,22 @@ Landroidx/compose/animation/core/AnimationVector1D; HSPLandroidx/compose/animation/core/AnimationVector1D;->()V HPLandroidx/compose/animation/core/AnimationVector1D;->(F)V HPLandroidx/compose/animation/core/AnimationVector1D;->get$animation_core_release(I)F -HSPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I -HSPLandroidx/compose/animation/core/AnimationVector1D;->getValue()F +HPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I +HPLandroidx/compose/animation/core/AnimationVector1D;->getValue()F HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector1D; HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; -HSPLandroidx/compose/animation/core/AnimationVector1D;->reset$animation_core_release()V -HSPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V +HPLandroidx/compose/animation/core/AnimationVector1D;->reset$animation_core_release()V +HPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V Landroidx/compose/animation/core/AnimationVector2D; HSPLandroidx/compose/animation/core/AnimationVector2D;->()V HPLandroidx/compose/animation/core/AnimationVector2D;->(FF)V HPLandroidx/compose/animation/core/AnimationVector2D;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/animation/core/AnimationVector2D;->get$animation_core_release(I)F HPLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I -PLandroidx/compose/animation/core/AnimationVector2D;->getV1()F -PLandroidx/compose/animation/core/AnimationVector2D;->getV2()F +HPLandroidx/compose/animation/core/AnimationVector2D;->getV1()F +HPLandroidx/compose/animation/core/AnimationVector2D;->getV2()F PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector2D; -PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/AnimationVector2D;->reset$animation_core_release()V HPLandroidx/compose/animation/core/AnimationVector2D;->set$animation_core_release(IF)V Landroidx/compose/animation/core/AnimationVector3D; @@ -1162,7 +1163,7 @@ Landroidx/compose/animation/core/CubicBezierEasing; HSPLandroidx/compose/animation/core/CubicBezierEasing;->()V HSPLandroidx/compose/animation/core/CubicBezierEasing;->(FFFF)V HPLandroidx/compose/animation/core/CubicBezierEasing;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/animation/core/CubicBezierEasing;->evaluateCubic(FFF)F +HPLandroidx/compose/animation/core/CubicBezierEasing;->evaluateCubic(FFF)F HPLandroidx/compose/animation/core/CubicBezierEasing;->transform(F)F Landroidx/compose/animation/core/DecayAnimationSpec; Landroidx/compose/animation/core/DecayAnimationSpecImpl; @@ -1172,12 +1173,12 @@ HSPLandroidx/compose/animation/core/DecayAnimationSpecKt;->generateDecayAnimatio Landroidx/compose/animation/core/DurationBasedAnimationSpec; Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt; -HSPLandroidx/compose/animation/core/EasingKt;->$r8$lambda$7O2TQpsfx-61Y7k3YdwvDNA9V_g(F)F +HPLandroidx/compose/animation/core/EasingKt;->$r8$lambda$mMxEzlbH87hNiWQOEalATwCIuTQ(F)F HSPLandroidx/compose/animation/core/EasingKt;->()V HSPLandroidx/compose/animation/core/EasingKt;->LinearEasing$lambda$0(F)F HSPLandroidx/compose/animation/core/EasingKt;->getFastOutLinearInEasing()Landroidx/compose/animation/core/Easing; HSPLandroidx/compose/animation/core/EasingKt;->getFastOutSlowInEasing()Landroidx/compose/animation/core/Easing; -HSPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; +HPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0; HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->()V HPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F @@ -1187,7 +1188,7 @@ Landroidx/compose/animation/core/FloatDecayAnimationSpec; PLandroidx/compose/animation/core/FloatSpringSpec;->()V HPLandroidx/compose/animation/core/FloatSpringSpec;->(FFF)V PLandroidx/compose/animation/core/FloatSpringSpec;->(FFFILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/animation/core/FloatSpringSpec;->getDurationNanos(FFF)J +HPLandroidx/compose/animation/core/FloatSpringSpec;->getDurationNanos(FFF)J PLandroidx/compose/animation/core/FloatSpringSpec;->getEndVelocity(FFF)F HPLandroidx/compose/animation/core/FloatSpringSpec;->getValueFromNanos(JFFF)F HPLandroidx/compose/animation/core/FloatSpringSpec;->getVelocityFromNanos(JFFF)F @@ -1196,21 +1197,21 @@ HSPLandroidx/compose/animation/core/FloatTweenSpec;->()V HSPLandroidx/compose/animation/core/FloatTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V HPLandroidx/compose/animation/core/FloatTweenSpec;->clampPlayTime(J)J HPLandroidx/compose/animation/core/FloatTweenSpec;->getValueFromNanos(JFFF)F -HSPLandroidx/compose/animation/core/FloatTweenSpec;->getVelocityFromNanos(JFFF)F +HPLandroidx/compose/animation/core/FloatTweenSpec;->getVelocityFromNanos(JFFF)F Landroidx/compose/animation/core/InfiniteAnimationPolicyKt; HPLandroidx/compose/animation/core/InfiniteAnimationPolicyKt;->withInfiniteAnimationFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/animation/core/InfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->()V HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;JLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; +HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; Landroidx/compose/animation/core/InfiniteTransition; HSPLandroidx/compose/animation/core/InfiniteTransition;->()V HSPLandroidx/compose/animation/core/InfiniteTransition;->(Ljava/lang/String;)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->access$getStartTimeNanos$p(Landroidx/compose/animation/core/InfiniteTransition;)J +HPLandroidx/compose/animation/core/InfiniteTransition;->access$getStartTimeNanos$p(Landroidx/compose/animation/core/InfiniteTransition;)J HSPLandroidx/compose/animation/core/InfiniteTransition;->access$get_animations$p(Landroidx/compose/animation/core/InfiniteTransition;)Landroidx/compose/runtime/collection/MutableVector; -HSPLandroidx/compose/animation/core/InfiniteTransition;->access$onFrame(Landroidx/compose/animation/core/InfiniteTransition;J)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->access$setRefreshChildNeeded(Landroidx/compose/animation/core/InfiniteTransition;Z)V +HPLandroidx/compose/animation/core/InfiniteTransition;->access$onFrame(Landroidx/compose/animation/core/InfiniteTransition;J)V +HPLandroidx/compose/animation/core/InfiniteTransition;->access$setRefreshChildNeeded(Landroidx/compose/animation/core/InfiniteTransition;Z)V HSPLandroidx/compose/animation/core/InfiniteTransition;->access$setStartTimeNanos$p(Landroidx/compose/animation/core/InfiniteTransition;J)V HSPLandroidx/compose/animation/core/InfiniteTransition;->addAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HSPLandroidx/compose/animation/core/InfiniteTransition;->isRunning()Z @@ -1218,13 +1219,13 @@ HPLandroidx/compose/animation/core/InfiniteTransition;->onFrame(J)V PLandroidx/compose/animation/core/InfiniteTransition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HPLandroidx/compose/animation/core/InfiniteTransition;->run$animation_core_release(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/animation/core/InfiniteTransition;->setRefreshChildNeeded(Z)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V +HPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->(Landroidx/compose/animation/core/InfiniteTransition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getInitialValue$animation_core_release()Ljava/lang/Object; HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getTargetValue$animation_core_release()Ljava/lang/Object; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getValue()Ljava/lang/Object; -HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->isFinished$animation_core_release()Z +HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->isFinished$animation_core_release()Z HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->onPlayTimeChanged$animation_core_release(J)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->reset$animation_core_release()V HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->setValue$animation_core_release(Ljava/lang/Object;)V @@ -1304,7 +1305,7 @@ PLandroidx/compose/animation/core/MutatorMutex;->access$getMutex$p(Landroidx/com PLandroidx/compose/animation/core/MutatorMutex;->access$tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatorMutex$Mutator;)V PLandroidx/compose/animation/core/MutatorMutex;->mutate$default(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/MutatorMutex;->mutate(Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V +HPLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V Landroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0; HPLandroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReference;Ljava/lang/Object;Ljava/lang/Object;)Z PLandroidx/compose/animation/core/MutatorMutex$Mutator;->(Landroidx/compose/animation/core/MutatePriority;Lkotlinx/coroutines/Job;)V @@ -1324,10 +1325,10 @@ PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDuration HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateCriticallyDamped(Landroidx/compose/animation/core/ComplexDouble;DDD)D PLandroidx/compose/animation/core/SpringEstimationKt;->estimateDurationInternal(Landroidx/compose/animation/core/ComplexDouble;Landroidx/compose/animation/core/ComplexDouble;DDDD)J PLandroidx/compose/animation/core/SpringSimulation;->()V -PLandroidx/compose/animation/core/SpringSimulation;->(F)V +HPLandroidx/compose/animation/core/SpringSimulation;->(F)V PLandroidx/compose/animation/core/SpringSimulation;->getDampingRatio()F PLandroidx/compose/animation/core/SpringSimulation;->getStiffness()F -PLandroidx/compose/animation/core/SpringSimulation;->init()V +HPLandroidx/compose/animation/core/SpringSimulation;->init()V PLandroidx/compose/animation/core/SpringSimulation;->setDampingRatio(F)V HPLandroidx/compose/animation/core/SpringSimulation;->setFinalPosition(F)V PLandroidx/compose/animation/core/SpringSimulation;->setStiffness(F)V @@ -1338,7 +1339,7 @@ PLandroidx/compose/animation/core/SpringSimulationKt;->getUNSET()F Landroidx/compose/animation/core/SpringSpec; HSPLandroidx/compose/animation/core/SpringSpec;->()V HPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;)V -HSPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/SpringSpec;->equals(Ljava/lang/Object;)Z PLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; HPLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedSpringSpec; @@ -1372,8 +1373,8 @@ PLandroidx/compose/animation/core/SuspendAnimationKt$animate$7;->(Landroid HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->(Lkotlin/jvm/internal/Ref$ObjectRef;FLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(J)V HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; +HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/TargetBasedAnimation; HSPLandroidx/compose/animation/core/TargetBasedAnimation;->()V @@ -1385,7 +1386,7 @@ HSPLandroidx/compose/animation/core/TargetBasedAnimation;->getTargetValue()Ljava HPLandroidx/compose/animation/core/TargetBasedAnimation;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/TargetBasedAnimation;->getValueFromNanos(J)Ljava/lang/Object; HPLandroidx/compose/animation/core/TargetBasedAnimation;->getVelocityVectorFromNanos(J)Landroidx/compose/animation/core/AnimationVector; -PLandroidx/compose/animation/core/TargetBasedAnimation;->isInfinite()Z +HPLandroidx/compose/animation/core/TargetBasedAnimation;->isInfinite()Z Landroidx/compose/animation/core/Transition; HSPLandroidx/compose/animation/core/Transition;->()V HSPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/MutableTransitionState;Ljava/lang/String;)V @@ -1478,7 +1479,7 @@ HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/anim Landroidx/compose/animation/core/TwoWayConverter; Landroidx/compose/animation/core/TwoWayConverterImpl; HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertToVector()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/core/VectorConvertersKt; HSPLandroidx/compose/animation/core/VectorConvertersKt;->()V @@ -1539,8 +1540,8 @@ HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$1;->invoke(Lj Landroidx/compose/animation/core/VectorConvertersKt$IntToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->()V -HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Integer; -HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Integer; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/VectorConvertersKt$OffsetToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$OffsetToVector$1;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$OffsetToVector$1;->()V @@ -1565,7 +1566,7 @@ Landroidx/compose/animation/core/VectorizedAnimationSpecKt; PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->access$createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->clampPlayTime(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;J)J PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; -HSPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->getValueFromMillis(Landroidx/compose/animation/core/VectorizedAnimationSpec;JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->getValueFromMillis(Landroidx/compose/animation/core/VectorizedAnimationSpec;JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->(Landroidx/compose/animation/core/AnimationVector;FF)V HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatSpringSpec; @@ -1585,7 +1586,7 @@ HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getValueFromNa HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedFloatAnimationSpec$1; HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->(Landroidx/compose/animation/core/FloatAnimationSpec;)V -HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; +HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->()V HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V @@ -1598,26 +1599,26 @@ HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->repetition Landroidx/compose/animation/core/VectorizedKeyframesSpec; HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->()V HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->(Ljava/util/Map;II)V -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDelayMillis()I -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDurationMillis()I +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDelayMillis()I +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDurationMillis()I HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->init(Landroidx/compose/animation/core/AnimationVector;)V +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->init(Landroidx/compose/animation/core/AnimationVector;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->()V PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/AnimationVector;)V HPLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J PLandroidx/compose/animation/core/VectorizedSpringSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -PLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -PLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedTweenSpec; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->()V HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDelayMillis()I HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDurationMillis()I -HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedTweenSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VisibilityThresholdsKt; HSPLandroidx/compose/animation/core/VisibilityThresholdsKt;->()V HSPLandroidx/compose/animation/core/VisibilityThresholdsKt;->getVisibilityThreshold(Landroidx/compose/ui/geometry/Offset$Companion;)J @@ -1676,7 +1677,7 @@ HPLandroidx/compose/foundation/AndroidOverscroll_androidKt;->rememberOverscrollE PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->(Landroidx/compose/ui/layout/Placeable;I)V HPLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -1761,7 +1762,7 @@ PLandroidx/compose/foundation/EdgeEffectCompat;->()V PLandroidx/compose/foundation/EdgeEffectCompat;->create(Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/widget/EdgeEffect; PLandroidx/compose/foundation/EdgeEffectCompat;->getDistanceCompat(Landroid/widget/EdgeEffect;)F Landroidx/compose/foundation/FocusableElement; -HSPLandroidx/compose/foundation/FocusableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HPLandroidx/compose/foundation/FocusableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/FocusableElement;->create()Landroidx/compose/foundation/FocusableNode; HSPLandroidx/compose/foundation/FocusableElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/FocusableElement;->equals(Ljava/lang/Object;)Z @@ -1786,7 +1787,7 @@ HPLandroidx/compose/foundation/FocusableKt$focusableInNonTouchMode$1;->(ZL Landroidx/compose/foundation/FocusableNode; HPLandroidx/compose/foundation/FocusableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/FocusableNode;->onFocusEvent(Landroidx/compose/ui/focus/FocusState;)V -HPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HSPLandroidx/compose/foundation/FocusableNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V Landroidx/compose/foundation/FocusablePinnableContainerNode; HSPLandroidx/compose/foundation/FocusablePinnableContainerNode;->()V @@ -1802,13 +1803,13 @@ PLandroidx/compose/foundation/FocusedBoundsKt$ModifierLocalFocusedBoundsObserver Landroidx/compose/foundation/FocusedBoundsNode; HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V -HPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HSPLandroidx/compose/foundation/FocusedBoundsNode;->setFocus(Z)V PLandroidx/compose/foundation/FocusedBoundsObserverNode;->()V PLandroidx/compose/foundation/FocusedBoundsObserverNode;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/foundation/FocusedBoundsObserverNode$focusBoundsObserver$1;->(Landroidx/compose/foundation/FocusedBoundsObserverNode;)V Landroidx/compose/foundation/HoverableElement; -HSPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/foundation/HoverableNode; HSPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/HoverableElement;->equals(Ljava/lang/Object;)Z @@ -2114,7 +2115,7 @@ Landroidx/compose/foundation/layout/BoxMeasurePolicy; HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->(Landroidx/compose/ui/Alignment;Z)V HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->access$getAlignment$p(Landroidx/compose/foundation/layout/BoxMeasurePolicy;)Landroidx/compose/ui/Alignment; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V @@ -2226,7 +2227,7 @@ HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateRightPaddin HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateTopPadding-D9Ej5fM()F Landroidx/compose/foundation/layout/InsetsValues; HSPLandroidx/compose/foundation/layout/InsetsValues;->()V -HPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V +HSPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V HSPLandroidx/compose/foundation/layout/InsetsValues;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->$values()[Landroidx/compose/foundation/layout/LayoutOrientation; @@ -2290,7 +2291,7 @@ HSPLandroidx/compose/foundation/layout/PaddingNode;->(FFFFZLkotlin/jvm/int HSPLandroidx/compose/foundation/layout/PaddingNode;->getRtlAware()Z HSPLandroidx/compose/foundation/layout/PaddingNode;->getStart-D9Ej5fM()F HSPLandroidx/compose/foundation/layout/PaddingNode;->getTop-D9Ej5fM()F -HPLandroidx/compose/foundation/layout/PaddingNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/foundation/layout/PaddingNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/PaddingNode$measure$1; HPLandroidx/compose/foundation/layout/PaddingNode$measure$1;->(Landroidx/compose/foundation/layout/PaddingNode;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;)V HPLandroidx/compose/foundation/layout/PaddingNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V @@ -2354,7 +2355,7 @@ HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->crossAxisSize HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->getCrossAxisPosition(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/RowColumnParentData;ILandroidx/compose/ui/unit/LayoutDirection;I)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisPositions(I[I[ILandroidx/compose/ui/layout/MeasureScope;)[I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisSize(Landroidx/compose/ui/layout/Placeable;)I -HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; +HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->placeHelper(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;ILandroidx/compose/ui/unit/LayoutDirection;)V Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/RowColumnParentData;->()V @@ -2516,7 +2517,7 @@ HSPLandroidx/compose/foundation/layout/WindowInsetsSides$Companion;->getTop-JoeW Landroidx/compose/foundation/layout/WindowInsets_androidKt; HSPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->ValueInsets(Landroidx/core/graphics/Insets;Ljava/lang/String;)Landroidx/compose/foundation/layout/ValueInsets; HPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->getSystemBars(Landroidx/compose/foundation/layout/WindowInsets$Companion;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; -HPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->toInsetsValues(Landroidx/core/graphics/Insets;)Landroidx/compose/foundation/layout/InsetsValues; +HSPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->toInsetsValues(Landroidx/core/graphics/Insets;)Landroidx/compose/foundation/layout/InsetsValues; Landroidx/compose/foundation/layout/WrapContentElement; HSPLandroidx/compose/foundation/layout/WrapContentElement;->()V HSPLandroidx/compose/foundation/layout/WrapContentElement;->(Landroidx/compose/foundation/layout/Direction;ZLkotlin/jvm/functions/Function2;Ljava/lang/Object;Ljava/lang/String;)V @@ -2539,7 +2540,7 @@ PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->()V PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->(IILjava/lang/Object;)V HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getSize()I HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getStartIndex()I -HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getValue()Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getValue()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->access$binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->()V @@ -2552,12 +2553,12 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->animatePlacemen PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->cancelPlacementAnimation()V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getPlacementDelta-nOcc-ac()J PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getRawOffset-nOcc-ac()J -PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->isPlacementAnimationInProgress()Z +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->isPlacementAnimationInProgress()Z PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setAppearanceSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementAnimationInProgress(Z)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementDelta--gyyYBs(J)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setRawOffset--gyyYBs(J)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setRawOffset--gyyYBs(J)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->getNotInitialized-nOcc-ac()J @@ -2619,7 +2620,7 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$Skippa HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemProviderKt;->findIndexByKey(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V @@ -2747,7 +2748,7 @@ PLandroidx/compose/foundation/lazy/layout/StableValue;->constructor-impl(Ljava/l PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->(Landroidx/compose/animation/core/FiniteAnimationSpec;)V PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->(III)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->(III)V HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getAnimations()[Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getLane()I @@ -2784,7 +2785,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementA HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->access$getKeyIndexMap$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getAnimation(Ljava/lang/Object;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getHasAnimations(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)Z +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getHasAnimations(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)Z HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->initializeAnimation(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;ILandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->onMeasured(IIILjava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;ZILkotlinx/coroutines/CoroutineScope;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->startAnimationsIfNeeded(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)V @@ -2839,7 +2840,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getAfterContentPadding()I -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getBeforeContentPadding()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getBeforeContentPadding()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getConstraints-msEJaDk()J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getContentOffset-nOcc-ac()J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getCoroutineScope()Lkotlinx/coroutines/CoroutineScope; @@ -2856,7 +2857,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getSpanRange-lOCCd4c(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;II)J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getState()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->isFullSpan(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;I)Z -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->isVertical()Z +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->isVertical()Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext$measuredItemProvider$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;ZLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext$measuredItemProvider$1;->createItem(IIILjava/lang/Object;Ljava/lang/Object;Ljava/util/List;)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->calculateVisibleItems(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;[Lkotlin/collections/ArrayDeque;[II)Ljava/util/List; @@ -2909,15 +2910,15 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultK PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt$EmptyLazyStaggeredGridLayoutInfo$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->()V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->(ILjava/lang/Object;Ljava/util/List;ZIIIIILjava/lang/Object;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getIndex()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getLane()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxis--gyyYBs(J)I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxisSize()I -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getParentData(I)Ljava/lang/Object; -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSizeWithSpacings()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSpan()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVertical()Z @@ -3074,7 +3075,7 @@ HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape- HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-a9UjIt4(FFFF)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->getCircleShape()Landroidx/compose/foundation/shape/RoundedCornerShape; Landroidx/compose/foundation/text/BasicTextKt; -HSPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V +HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V Landroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1; HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->invoke()Ljava/lang/Object; @@ -3093,7 +3094,7 @@ Landroidx/compose/foundation/text/TextDelegateKt; HPLandroidx/compose/foundation/text/TextDelegateKt;->ceilToIntPx(F)I Landroidx/compose/foundation/text/modifiers/InlineDensity; HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->()V -HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->access$getUnspecified$cp()J +HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->access$getUnspecified$cp()J HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(FF)J HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(J)J HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(Landroidx/compose/ui/unit/Density;)J @@ -3101,16 +3102,16 @@ HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->equals-impl0(JJ)Z Landroidx/compose/foundation/text/modifiers/InlineDensity$Companion; HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->()V HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->getUnspecified-L26CHvs()J +HPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->getUnspecified-L26CHvs()J Landroidx/compose/foundation/text/modifiers/LayoutUtilsKt; HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalConstraints-tfFHcEY(JZIF)J -HSPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxLines-xdlQI24(ZII)I +HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxLines-xdlQI24(ZII)I HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxWidth-tfFHcEY(JZIF)I HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->fixedCoerceHeightAndWidthForBits(Landroidx/compose/ui/unit/Constraints$Companion;II)J Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->()V HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZII)V -HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getDidOverflow$foundation_release()Z HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getLayoutSize-YbymL2g$foundation_release()J HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getObserveFontChanges$foundation_release()Lkotlin/Unit; @@ -3288,7 +3289,7 @@ HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->getRippleH HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onForgotten()V HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onRemembered()V Landroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1; -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1;->(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V +HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1;->(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V Landroidx/compose/material/ripple/PlatformRipple; HSPLandroidx/compose/material/ripple/PlatformRipple;->()V HSPLandroidx/compose/material/ripple/PlatformRipple;->(ZFLandroidx/compose/runtime/State;)V @@ -3306,7 +3307,7 @@ HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->(La HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1; -HSPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V +HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V Landroidx/compose/material/ripple/RippleAlpha; HSPLandroidx/compose/material/ripple/RippleAlpha;->()V HSPLandroidx/compose/material/ripple/RippleAlpha;->(FFFF)V @@ -3319,7 +3320,7 @@ Landroidx/compose/material/ripple/RippleHostView; Landroidx/compose/material/ripple/RippleIndicationInstance; HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->()V HPLandroidx/compose/material/ripple/RippleIndicationInstance;->(ZLandroidx/compose/runtime/State;)V -HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V +HPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V Landroidx/compose/material/ripple/RippleKt; HSPLandroidx/compose/material/ripple/RippleKt;->()V HPLandroidx/compose/material/ripple/RippleKt;->rememberRipple-9IZ8Weo(ZFJLandroidx/compose/runtime/Composer;II)Landroidx/compose/foundation/Indication; @@ -3571,7 +3572,7 @@ HSPLandroidx/compose/material3/MappedInteractionSource;->(Landroidx/compos HSPLandroidx/compose/material3/MappedInteractionSource;->getInteractions()Lkotlinx/coroutines/flow/Flow; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->(Lkotlinx/coroutines/flow/Flow;Landroidx/compose/material3/MappedInteractionSource;)V -HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;Landroidx/compose/material3/MappedInteractionSource;)V Landroidx/compose/material3/MaterialRippleTheme; @@ -3707,16 +3708,16 @@ HSPLandroidx/compose/material3/ProgressIndicatorDefaults;->getCircularTrackColor Landroidx/compose/material3/ProgressIndicatorKt; HSPLandroidx/compose/material3/ProgressIndicatorKt;->()V HPLandroidx/compose/material3/ProgressIndicatorKt;->CircularProgressIndicator-LxG7B9w(Landroidx/compose/ui/Modifier;JFJILandroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V +HPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V +HPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$getCircularEasing$p()Landroidx/compose/animation/core/CubicBezierEasing; HPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicator-42QJj7c(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V +HPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V HPLandroidx/compose/material3/ProgressIndicatorKt;->drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1; HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->(JLandroidx/compose/ui/graphics/drawscope/Stroke;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;FJ)V HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1; HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V @@ -3870,7 +3871,7 @@ HSPLandroidx/compose/material3/TopAppBarState;->access$getSaver$cp()Landroidx/co HSPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F HSPLandroidx/compose/material3/TopAppBarState;->getHeightOffset()F HPLandroidx/compose/material3/TopAppBarState;->getHeightOffsetLimit()F -HPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F +HSPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F HSPLandroidx/compose/material3/TopAppBarState;->setHeightOffsetLimit(F)V Landroidx/compose/material3/TopAppBarState$Companion; HSPLandroidx/compose/material3/TopAppBarState$Companion;->()V @@ -4201,7 +4202,6 @@ PLandroidx/compose/material3/windowsizeclass/WindowSizeClass$Companion;->calcula PLandroidx/compose/material3/windowsizeclass/WindowSizeClassKt;->()V PLandroidx/compose/material3/windowsizeclass/WindowSizeClassKt;->access$getDefaultDensity$p()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/material3/windowsizeclass/WindowSizeClass_androidKt;->calculateWindowSizeClass(Landroidx/compose/runtime/Composer;I)Landroidx/compose/material3/windowsizeclass/WindowSizeClass; -PLandroidx/compose/material3/windowsizeclass/WindowSizeClass_androidKt;->findActivity(Landroid/content/Context;)Landroid/app/Activity; PLandroidx/compose/material3/windowsizeclass/WindowWidthSizeClass;->()V PLandroidx/compose/material3/windowsizeclass/WindowWidthSizeClass;->(I)V PLandroidx/compose/material3/windowsizeclass/WindowWidthSizeClass;->access$getDefaultSizeClasses$cp()Ljava/util/Set; @@ -4267,9 +4267,9 @@ Landroidx/compose/runtime/BroadcastFrameClock; HSPLandroidx/compose/runtime/BroadcastFrameClock;->()V HSPLandroidx/compose/runtime/BroadcastFrameClock;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; HSPLandroidx/compose/runtime/BroadcastFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLandroidx/compose/runtime/BroadcastFrameClock;->getHasAwaiters()Z @@ -4280,7 +4280,7 @@ HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->(Lkotlin/jv HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->resume(J)V Landroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1; HPLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->(Landroidx/compose/runtime/BroadcastFrameClock;Lkotlin/jvm/internal/Ref$ObjectRef;)V -PLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->invoke(Ljava/lang/Throwable;)V Landroidx/compose/runtime/ComposableSingletons$CompositionKt; HSPLandroidx/compose/runtime/ComposableSingletons$CompositionKt;->()V @@ -4317,7 +4317,7 @@ HSPLandroidx/compose/runtime/ComposerImpl;->access$invokeMovableContentLambda(La HPLandroidx/compose/runtime/ComposerImpl;->access$setChildrenComposing$p(Landroidx/compose/runtime/ComposerImpl;I)V HSPLandroidx/compose/runtime/ComposerImpl;->access$setNodeCountOverrides$p(Landroidx/compose/runtime/ComposerImpl;[I)V HSPLandroidx/compose/runtime/ComposerImpl;->access$setProviderUpdates$p(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/collection/IntMap;)V -HPLandroidx/compose/runtime/ComposerImpl;->addRecomposeScope()V +HSPLandroidx/compose/runtime/ComposerImpl;->addRecomposeScope()V HPLandroidx/compose/runtime/ComposerImpl;->apply(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->buildContext()Landroidx/compose/runtime/CompositionContext; HPLandroidx/compose/runtime/ComposerImpl;->changed(F)Z @@ -4341,7 +4341,6 @@ PLandroidx/compose/runtime/ComposerImpl;->deactivateToEndGroup(Z)V HPLandroidx/compose/runtime/ComposerImpl;->dispose$runtime_release()V HPLandroidx/compose/runtime/ComposerImpl;->doCompose(Landroidx/compose/runtime/collection/IdentityArrayMap;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->doRecordDownsFor(II)V -HPLandroidx/compose/runtime/ComposerImpl;->end(Z)V HPLandroidx/compose/runtime/ComposerImpl;->endDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->endGroup()V HSPLandroidx/compose/runtime/ComposerImpl;->endMovableGroup()V @@ -4353,7 +4352,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->endRestartGroup()Landroidx/compose/ru HPLandroidx/compose/runtime/ComposerImpl;->endReusableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endRoot()V HPLandroidx/compose/runtime/ComposerImpl;->ensureWriter()V -HPLandroidx/compose/runtime/ComposerImpl;->exitGroup(IZ)V +HSPLandroidx/compose/runtime/ComposerImpl;->enterGroup(ZLandroidx/compose/runtime/Pending;)V HPLandroidx/compose/runtime/ComposerImpl;->finalizeCompose()V HPLandroidx/compose/runtime/ComposerImpl;->getApplier()Landroidx/compose/runtime/Applier; HPLandroidx/compose/runtime/ComposerImpl;->getApplyCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -4391,7 +4390,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->recordSideEffect(Lkotlin/jvm/function HPLandroidx/compose/runtime/ComposerImpl;->recordUpsAndDowns(III)V HPLandroidx/compose/runtime/ComposerImpl;->recordUsed(Landroidx/compose/runtime/RecomposeScope;)V HPLandroidx/compose/runtime/ComposerImpl;->rememberedValue()Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent$reportGroup(Landroidx/compose/runtime/ComposerImpl;IZI)I +HSPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent$reportGroup(Landroidx/compose/runtime/ComposerImpl;IZI)I HSPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent(I)V HSPLandroidx/compose/runtime/ComposerImpl;->setReader$runtime_release(Landroidx/compose/runtime/SlotReader;)V HPLandroidx/compose/runtime/ComposerImpl;->skipCurrentGroup()V @@ -4414,7 +4413,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startReusableGroup(ILjava/lang/Object HPLandroidx/compose/runtime/ComposerImpl;->startReusableNode()V HPLandroidx/compose/runtime/ComposerImpl;->startRoot()V HPLandroidx/compose/runtime/ComposerImpl;->tryImminentInvalidation$runtime_release(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z -HSPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroup(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroupKeyHash(I)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeExitGroup(ILjava/lang/Object;Ljava/lang/Object;)V @@ -4463,7 +4462,7 @@ HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->( HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/ComposerKt; -HSPLandroidx/compose/runtime/ComposerKt;->$r8$lambda$kSVdS0_EjXVhjdybgvOrZP-jexQ(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I +HSPLandroidx/compose/runtime/ComposerKt;->$r8$lambda$UXSvu71fSZnFJDgYvdjYUFl0jX4(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HSPLandroidx/compose/runtime/ComposerKt;->()V HSPLandroidx/compose/runtime/ComposerKt;->InvalidationLocationAscending$lambda$15(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HPLandroidx/compose/runtime/ComposerKt;->access$asBool(I)Z @@ -4471,8 +4470,8 @@ HPLandroidx/compose/runtime/ComposerKt;->access$asInt(Z)I HPLandroidx/compose/runtime/ComposerKt;->access$firstInRange(Ljava/util/List;II)Landroidx/compose/runtime/Invalidation; HPLandroidx/compose/runtime/ComposerKt;->access$getInvalidationLocationAscending$p()Ljava/util/Comparator; PLandroidx/compose/runtime/ComposerKt;->access$getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V -HSPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; +HPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V +HPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; HPLandroidx/compose/runtime/ComposerKt;->access$nearestCommonRootOf(Landroidx/compose/runtime/SlotReader;III)I HPLandroidx/compose/runtime/ComposerKt;->access$pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->access$put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z @@ -4489,7 +4488,7 @@ HPLandroidx/compose/runtime/ComposerKt;->getCompositionLocalMap()Ljava/lang/Obje HPLandroidx/compose/runtime/ComposerKt;->getInvocation()Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->getProvider()Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerKt;->getReference()Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->isTraceInProgress()Z @@ -4498,7 +4497,7 @@ HPLandroidx/compose/runtime/ComposerKt;->nearestCommonRootOf(Landroidx/compose/r HPLandroidx/compose/runtime/ComposerKt;->pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z HPLandroidx/compose/runtime/ComposerKt;->removeCurrentGroup(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerKt;->removeData(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V +PLandroidx/compose/runtime/ComposerKt;->removeData(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->removeLocation(Ljava/util/List;I)Landroidx/compose/runtime/Invalidation; HSPLandroidx/compose/runtime/ComposerKt;->removeRange(Ljava/util/List;II)V HPLandroidx/compose/runtime/ComposerKt;->runtimeCheck(Z)V @@ -4546,13 +4545,14 @@ HPLandroidx/compose/runtime/CompositionImpl;->invalidate(Landroidx/compose/runti HPLandroidx/compose/runtime/CompositionImpl;->invalidateChecked(Landroidx/compose/runtime/RecomposeScopeImpl;Landroidx/compose/runtime/Anchor;Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HPLandroidx/compose/runtime/CompositionImpl;->invalidateScopeOfLocked(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->isComposing()Z -HSPLandroidx/compose/runtime/CompositionImpl;->isDisposed()Z +HPLandroidx/compose/runtime/CompositionImpl;->isDisposed()Z HPLandroidx/compose/runtime/CompositionImpl;->observer()Landroidx/compose/runtime/tooling/CompositionObserver; PLandroidx/compose/runtime/CompositionImpl;->observesAnyOf(Ljava/util/Set;)Z PLandroidx/compose/runtime/CompositionImpl;->prepareCompose(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/CompositionImpl;->recompose()Z HPLandroidx/compose/runtime/CompositionImpl;->recomposeScopeReleased(Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->recordModificationsOf(Ljava/util/Set;)V +HPLandroidx/compose/runtime/CompositionImpl;->recordReadOf(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->recordWriteOf(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->setContent(Lkotlin/jvm/functions/Function2;)V @@ -4631,7 +4631,7 @@ HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->assign(Landroidx HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getCurrentValue()Ljava/lang/Object; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; -HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; +HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->isValid(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)Z HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->readableHash(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)I HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setDependencies(Landroidx/collection/ObjectIntMap;)V @@ -4670,7 +4670,7 @@ HPLandroidx/compose/runtime/EffectsKt;->DisposableEffect(Ljava/lang/Object;Lkotl HPLandroidx/compose/runtime/EffectsKt;->LaunchedEffect(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/runtime/EffectsKt;->LaunchedEffect(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/runtime/EffectsKt;->SideEffect(Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/runtime/EffectsKt;->access$getInternalDisposableEffectScope$p()Landroidx/compose/runtime/DisposableEffectScope; +HSPLandroidx/compose/runtime/EffectsKt;->access$getInternalDisposableEffectScope$p()Landroidx/compose/runtime/DisposableEffectScope; HPLandroidx/compose/runtime/EffectsKt;->createCompositionCoroutineScope(Lkotlin/coroutines/CoroutineContext;Landroidx/compose/runtime/Composer;)Lkotlinx/coroutines/CoroutineScope; Landroidx/compose/runtime/FloatState; Landroidx/compose/runtime/GroupInfo; @@ -4723,9 +4723,9 @@ PLandroidx/compose/runtime/KeyInfo;->getObjectKey()Ljava/lang/Object; Landroidx/compose/runtime/Latch; HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->()V -HSPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Latch;->closeLatch()V -HSPLandroidx/compose/runtime/Latch;->isOpen()Z +HPLandroidx/compose/runtime/Latch;->isOpen()Z HSPLandroidx/compose/runtime/Latch;->openLatch()V Landroidx/compose/runtime/LaunchedEffectImpl; HSPLandroidx/compose/runtime/LaunchedEffectImpl;->()V @@ -4828,7 +4828,7 @@ HSPLandroidx/compose/runtime/PausableMonotonicFrameClock;->pause()V HSPLandroidx/compose/runtime/PausableMonotonicFrameClock;->resume()V HPLandroidx/compose/runtime/PausableMonotonicFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1; -HSPLandroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1;->(Landroidx/compose/runtime/PausableMonotonicFrameClock;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1;->(Landroidx/compose/runtime/PausableMonotonicFrameClock;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Pending; HPLandroidx/compose/runtime/Pending;->(Ljava/util/List;I)V @@ -4843,7 +4843,7 @@ HPLandroidx/compose/runtime/Pending;->registerInsert(Landroidx/compose/runtime/K HPLandroidx/compose/runtime/Pending;->updateNodeCount(II)Z Landroidx/compose/runtime/Pending$keyMap$2; HPLandroidx/compose/runtime/Pending$keyMap$2;->(Landroidx/compose/runtime/Pending;)V -HSPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/util/HashMap; Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; @@ -4884,7 +4884,7 @@ HPLandroidx/compose/runtime/RecomposeScopeImpl;->compose(Landroidx/compose/runti HPLandroidx/compose/runtime/RecomposeScopeImpl;->end(I)Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getAnchor()Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getCanRecompose()Z -HPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInScope()Z +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInScope()Z HSPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInvalid()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getForcedRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getRequiresRecompose()Z @@ -4921,18 +4921,18 @@ Landroidx/compose/runtime/RecomposeScopeOwner; Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/runtime/Recomposer;->()V HPLandroidx/compose/runtime/Recomposer;->(Lkotlin/coroutines/CoroutineContext;)V -HSPLandroidx/compose/runtime/Recomposer;->access$awaitWorkAvailable(Landroidx/compose/runtime/Recomposer;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/runtime/Recomposer;->access$awaitWorkAvailable(Landroidx/compose/runtime/Recomposer;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->access$deriveStateLocked(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/CancellableContinuation; -PLandroidx/compose/runtime/Recomposer;->access$discardUnusedValues(Landroidx/compose/runtime/Recomposer;)V -HSPLandroidx/compose/runtime/Recomposer;->access$getBroadcastFrameClock$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/BroadcastFrameClock; -HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionInvalidations$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; +HPLandroidx/compose/runtime/Recomposer;->access$discardUnusedValues(Landroidx/compose/runtime/Recomposer;)V +HPLandroidx/compose/runtime/Recomposer;->access$getBroadcastFrameClock$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/BroadcastFrameClock; +HPLandroidx/compose/runtime/Recomposer;->access$getCompositionInvalidations$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionValuesAwaitingInsert$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; -HSPLandroidx/compose/runtime/Recomposer;->access$getHasBroadcastFrameClockAwaiters(Landroidx/compose/runtime/Recomposer;)Z +HPLandroidx/compose/runtime/Recomposer;->access$getHasBroadcastFrameClockAwaiters(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getHasSchedulingWork(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getKnownCompositions(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getRecomposerInfo$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/Recomposer$RecomposerInfoImpl; PLandroidx/compose/runtime/Recomposer;->access$getRunnerJob$p(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/Job; -HSPLandroidx/compose/runtime/Recomposer;->access$getShouldKeepRecomposing(Landroidx/compose/runtime/Recomposer;)Z +HPLandroidx/compose/runtime/Recomposer;->access$getShouldKeepRecomposing(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getSnapshotInvalidations$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/collection/IdentityArraySet; HPLandroidx/compose/runtime/Recomposer;->access$getStateLock$p(Landroidx/compose/runtime/Recomposer;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Recomposer;->access$get_runningRecomposers$cp()Lkotlinx/coroutines/flow/MutableStateFlow; @@ -4943,13 +4943,13 @@ HPLandroidx/compose/runtime/Recomposer;->access$recordComposerModifications(Land HSPLandroidx/compose/runtime/Recomposer;->access$registerRunnerJob(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setChangeCount$p(Landroidx/compose/runtime/Recomposer;J)V PLandroidx/compose/runtime/Recomposer;->access$setCloseCause$p(Landroidx/compose/runtime/Recomposer;Ljava/lang/Throwable;)V -HSPLandroidx/compose/runtime/Recomposer;->access$setCompositionsRemoved$p(Landroidx/compose/runtime/Recomposer;Ljava/util/Set;)V +HPLandroidx/compose/runtime/Recomposer;->access$setCompositionsRemoved$p(Landroidx/compose/runtime/Recomposer;Ljava/util/Set;)V PLandroidx/compose/runtime/Recomposer;->access$setRunnerJob$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setWorkContinuation$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/CancellableContinuation;)V HPLandroidx/compose/runtime/Recomposer;->addKnownCompositionLocked(Landroidx/compose/runtime/ControlledComposition;)V HPLandroidx/compose/runtime/Recomposer;->applyAndCheck(Landroidx/compose/runtime/snapshots/MutableSnapshot;)V HPLandroidx/compose/runtime/Recomposer;->awaitWorkAvailable(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLandroidx/compose/runtime/Recomposer;->cancel()V +PLandroidx/compose/runtime/Recomposer;->cancel()V PLandroidx/compose/runtime/Recomposer;->clearKnownCompositionsLocked()V HPLandroidx/compose/runtime/Recomposer;->composeInitial$runtime_release(Landroidx/compose/runtime/ControlledComposition;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/Recomposer;->deriveStateLocked()Lkotlinx/coroutines/CancellableContinuation; @@ -4960,7 +4960,7 @@ HSPLandroidx/compose/runtime/Recomposer;->getCollectingSourceInformation$runtime HSPLandroidx/compose/runtime/Recomposer;->getCompoundHashKey$runtime_release()I HSPLandroidx/compose/runtime/Recomposer;->getCurrentState()Lkotlinx/coroutines/flow/StateFlow; HPLandroidx/compose/runtime/Recomposer;->getEffectCoroutineContext()Lkotlin/coroutines/CoroutineContext; -HSPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaiters()Z +HPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaiters()Z HPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaitersLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasFrameWorkLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasSchedulingWork()Z @@ -4998,7 +4998,7 @@ HSPLandroidx/compose/runtime/Recomposer$State;->()V HSPLandroidx/compose/runtime/Recomposer$State;->(Ljava/lang/String;I)V Landroidx/compose/runtime/Recomposer$broadcastFrameClock$1; HSPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->(Landroidx/compose/runtime/Recomposer;)V -HSPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->invoke()V Landroidx/compose/runtime/Recomposer$effectJob$1$1; HSPLandroidx/compose/runtime/Recomposer$effectJob$1$1;->(Landroidx/compose/runtime/Recomposer;)V @@ -5045,7 +5045,7 @@ HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSus HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1; HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/collection/IdentityArraySet;Landroidx/compose/runtime/collection/IdentityArraySet;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V -HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V +HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$writeObserverOf$1; HPLandroidx/compose/runtime/Recomposer$writeObserverOf$1;->(Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/collection/IdentityArraySet;)V @@ -5077,7 +5077,7 @@ Landroidx/compose/runtime/SlotReader; HSPLandroidx/compose/runtime/SlotReader;->()V HPLandroidx/compose/runtime/SlotReader;->(Landroidx/compose/runtime/SlotTable;)V HPLandroidx/compose/runtime/SlotReader;->anchor(I)Landroidx/compose/runtime/Anchor; -HSPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; +HPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->beginEmpty()V HPLandroidx/compose/runtime/SlotReader;->close()V HSPLandroidx/compose/runtime/SlotReader;->containsMark(I)Z @@ -5106,7 +5106,7 @@ HPLandroidx/compose/runtime/SlotReader;->groupSize(I)I HSPLandroidx/compose/runtime/SlotReader;->hasMark(I)Z HPLandroidx/compose/runtime/SlotReader;->hasObjectKey(I)Z HPLandroidx/compose/runtime/SlotReader;->isGroupEnd()Z -HPLandroidx/compose/runtime/SlotReader;->isNode()Z +HSPLandroidx/compose/runtime/SlotReader;->isNode()Z HPLandroidx/compose/runtime/SlotReader;->isNode(I)Z HPLandroidx/compose/runtime/SlotReader;->next()Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->node(I)Ljava/lang/Object; @@ -5219,13 +5219,13 @@ PLandroidx/compose/runtime/SlotWriter;->access$slotIndex(Landroidx/compose/runti HSPLandroidx/compose/runtime/SlotWriter;->access$sourceInformationOf(Landroidx/compose/runtime/SlotWriter;I)Landroidx/compose/runtime/GroupSourceInformation; HSPLandroidx/compose/runtime/SlotWriter;->access$updateContainsMark(Landroidx/compose/runtime/SlotWriter;I)V HPLandroidx/compose/runtime/SlotWriter;->advanceBy(I)V -HSPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; +HPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/SlotWriter;->anchorIndex(Landroidx/compose/runtime/Anchor;)I HPLandroidx/compose/runtime/SlotWriter;->auxIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->beginInsert()V HPLandroidx/compose/runtime/SlotWriter;->childContainsAnyMarks(I)Z HPLandroidx/compose/runtime/SlotWriter;->clearSlotGap()V -HSPLandroidx/compose/runtime/SlotWriter;->close()V +HPLandroidx/compose/runtime/SlotWriter;->close()V HSPLandroidx/compose/runtime/SlotWriter;->containsAnyGroupMarks(I)Z HSPLandroidx/compose/runtime/SlotWriter;->containsGroupMark(I)Z HPLandroidx/compose/runtime/SlotWriter;->dataAnchorToDataIndex(III)I @@ -5233,7 +5233,6 @@ HPLandroidx/compose/runtime/SlotWriter;->dataIndex(I)I HPLandroidx/compose/runtime/SlotWriter;->dataIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->dataIndexToDataAddress(I)I HPLandroidx/compose/runtime/SlotWriter;->dataIndexToDataAnchor(IIII)I -HPLandroidx/compose/runtime/SlotWriter;->endGroup()I HPLandroidx/compose/runtime/SlotWriter;->endInsert()V HPLandroidx/compose/runtime/SlotWriter;->ensureStarted(I)V HSPLandroidx/compose/runtime/SlotWriter;->ensureStarted(Landroidx/compose/runtime/Anchor;)V @@ -5244,24 +5243,24 @@ PLandroidx/compose/runtime/SlotWriter;->getCurrentGroupEnd()I HPLandroidx/compose/runtime/SlotWriter;->getParent()I HPLandroidx/compose/runtime/SlotWriter;->getSize$runtime_release()I HPLandroidx/compose/runtime/SlotWriter;->getTable$runtime_release()Landroidx/compose/runtime/SlotTable; -HPLandroidx/compose/runtime/SlotWriter;->groupAux(I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/SlotWriter;->groupAux(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->groupIndexToAddress(I)I HPLandroidx/compose/runtime/SlotWriter;->groupKey(I)I HPLandroidx/compose/runtime/SlotWriter;->groupObjectKey(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->groupSize(I)I HPLandroidx/compose/runtime/SlotWriter;->groupSlots()Ljava/util/Iterator; HSPLandroidx/compose/runtime/SlotWriter;->indexInCurrentGroup(I)Z -HSPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z +HPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z HSPLandroidx/compose/runtime/SlotWriter;->indexInParent(I)Z HPLandroidx/compose/runtime/SlotWriter;->insertGroups(I)V HPLandroidx/compose/runtime/SlotWriter;->insertSlots(II)V -HPLandroidx/compose/runtime/SlotWriter;->isNode()Z +HSPLandroidx/compose/runtime/SlotWriter;->isNode()Z HSPLandroidx/compose/runtime/SlotWriter;->isNode(I)Z HSPLandroidx/compose/runtime/SlotWriter;->markGroup$default(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->markGroup(I)V HPLandroidx/compose/runtime/SlotWriter;->moveFrom(Landroidx/compose/runtime/SlotTable;IZ)Ljava/util/List; HPLandroidx/compose/runtime/SlotWriter;->moveGroupGapTo(I)V -HPLandroidx/compose/runtime/SlotWriter;->moveSlotGapTo(II)V +HSPLandroidx/compose/runtime/SlotWriter;->moveSlotGapTo(II)V HPLandroidx/compose/runtime/SlotWriter;->node(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->node(Landroidx/compose/runtime/Anchor;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->nodeIndex([II)I @@ -5287,8 +5286,10 @@ HPLandroidx/compose/runtime/SlotWriter;->slotIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->sourceInformationOf(I)Landroidx/compose/runtime/GroupSourceInformation; HPLandroidx/compose/runtime/SlotWriter;->startData(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup()V -HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V +HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V +HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;ZLjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startNode(ILjava/lang/Object;)V +HPLandroidx/compose/runtime/SlotWriter;->update(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->updateAnchors(II)V PLandroidx/compose/runtime/SlotWriter;->updateAux(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->updateContainsMark(I)V @@ -5328,7 +5329,7 @@ HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord Landroidx/compose/runtime/SnapshotMutableIntStateImpl; HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->(I)V -HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getIntValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->setIntValue(I)V @@ -5385,7 +5386,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt;->structuralEqualityPolicy()Landroid Landroidx/compose/runtime/SnapshotStateKt__DerivedStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->()V HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->access$getCalculationBlockNestedLevel$p()Landroidx/compose/runtime/SnapshotThreadLocal; -HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; +HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; PLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt; @@ -5419,7 +5420,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unreg HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unregisterApplyObserver$1;->invoke(Ljava/util/Set;Landroidx/compose/runtime/snapshots/Snapshot;)V Landroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->neverEqualPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; -HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; +HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->structuralEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; Landroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateListOf()Landroidx/compose/runtime/snapshots/SnapshotStateList; @@ -5442,6 +5443,7 @@ HPLandroidx/compose/runtime/Stack;->isEmpty()Z HPLandroidx/compose/runtime/Stack;->isNotEmpty()Z HPLandroidx/compose/runtime/Stack;->peek()Ljava/lang/Object; HSPLandroidx/compose/runtime/Stack;->peek(I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/Stack;->pop()Ljava/lang/Object; HPLandroidx/compose/runtime/Stack;->push(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/Stack;->toArray()[Ljava/lang/Object; Landroidx/compose/runtime/State; @@ -5522,7 +5524,7 @@ HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveUp()V HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushApplierOperationPreamble()V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushPendingUpsAndDowns()V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotEditingOperationPreamble()V -HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble(Z)V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeNodeMovementOperations()V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeOperationLocation$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V @@ -5547,11 +5549,11 @@ HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion;->()V HPLandroidx/compose/runtime/changelist/FixupList;->()V -HPLandroidx/compose/runtime/changelist/FixupList;->createAndInsertNode(Lkotlin/jvm/functions/Function0;ILandroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/changelist/FixupList;->createAndInsertNode(Lkotlin/jvm/functions/Function0;ILandroidx/compose/runtime/Anchor;)V HPLandroidx/compose/runtime/changelist/FixupList;->endNodeInsert()V HPLandroidx/compose/runtime/changelist/FixupList;->executeAndFlushAllPendingFixups(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V HPLandroidx/compose/runtime/changelist/FixupList;->isEmpty()Z -HPLandroidx/compose/runtime/changelist/FixupList;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/runtime/changelist/FixupList;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V Landroidx/compose/runtime/changelist/Operation; HSPLandroidx/compose/runtime/changelist/Operation;->()V HSPLandroidx/compose/runtime/changelist/Operation;->(II)V @@ -5647,7 +5649,7 @@ PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->execute(Landroid Landroidx/compose/runtime/changelist/Operation$UpdateNode; HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V -HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V Landroidx/compose/runtime/changelist/Operation$UpdateValue; HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V @@ -5655,7 +5657,7 @@ HPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->execute(Landroidx Landroidx/compose/runtime/changelist/Operation$Ups; HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V -HPLandroidx/compose/runtime/changelist/Operation$Ups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HSPLandroidx/compose/runtime/changelist/Operation$Ups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V Landroidx/compose/runtime/changelist/OperationArgContainer; Landroidx/compose/runtime/changelist/OperationKt; HSPLandroidx/compose/runtime/changelist/OperationKt;->access$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I @@ -5689,9 +5691,9 @@ HPLandroidx/compose/runtime/changelist/Operations;->isNotEmpty()Z HPLandroidx/compose/runtime/changelist/Operations;->peekOperation()Landroidx/compose/runtime/changelist/Operation; HPLandroidx/compose/runtime/changelist/Operations;->popInto(Landroidx/compose/runtime/changelist/Operations;)V HPLandroidx/compose/runtime/changelist/Operations;->push(Landroidx/compose/runtime/changelist/Operation;)V -HPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V +HSPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V HPLandroidx/compose/runtime/changelist/Operations;->topIntIndexOf-w8GmfQM(I)I -HSPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I +HPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I Landroidx/compose/runtime/changelist/Operations$Companion; HSPLandroidx/compose/runtime/changelist/Operations$Companion;->()V HSPLandroidx/compose/runtime/changelist/Operations$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -5700,7 +5702,7 @@ HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->(Landroidx/ HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getInt-w8GmfQM(I)I HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getObject-31yXWZQ(I)Ljava/lang/Object; HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getOperation()Landroidx/compose/runtime/changelist/Operation; -HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->next()Z +HSPLandroidx/compose/runtime/changelist/Operations$OpIterator;->next()Z Landroidx/compose/runtime/changelist/Operations$WriteScope; HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->constructor-impl(Landroidx/compose/runtime/changelist/Operations;)Landroidx/compose/runtime/changelist/Operations; HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->setInt-A6tL2VI(Landroidx/compose/runtime/changelist/Operations;II)V @@ -5739,7 +5741,7 @@ Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/runtime/collection/MutableVector;->()V HPLandroidx/compose/runtime/collection/MutableVector;->([Ljava/lang/Object;I)V HPLandroidx/compose/runtime/collection/MutableVector;->add(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/collection/MutableVector;->add(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/collection/MutableVector;->add(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/MutableVector;->addAll(ILandroidx/compose/runtime/collection/MutableVector;)Z HPLandroidx/compose/runtime/collection/MutableVector;->asMutableList()Ljava/util/List; HPLandroidx/compose/runtime/collection/MutableVector;->clear()V @@ -5747,7 +5749,7 @@ HSPLandroidx/compose/runtime/collection/MutableVector;->contains(Ljava/lang/Obje HPLandroidx/compose/runtime/collection/MutableVector;->ensureCapacity(I)V HPLandroidx/compose/runtime/collection/MutableVector;->getContent()[Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector;->getSize()I -HPLandroidx/compose/runtime/collection/MutableVector;->indexOf(Ljava/lang/Object;)I +HSPLandroidx/compose/runtime/collection/MutableVector;->indexOf(Ljava/lang/Object;)I HPLandroidx/compose/runtime/collection/MutableVector;->isEmpty()Z HPLandroidx/compose/runtime/collection/MutableVector;->isNotEmpty()Z HPLandroidx/compose/runtime/collection/MutableVector;->remove(Ljava/lang/Object;)Z @@ -5769,7 +5771,7 @@ HPLandroidx/compose/runtime/collection/MutableVectorKt;->checkIndex(Ljava/util/L Landroidx/compose/runtime/collection/ScopeMap; HSPLandroidx/compose/runtime/collection/ScopeMap;->()V HPLandroidx/compose/runtime/collection/ScopeMap;->()V -HSPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V +HPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/collection/ScopeMap;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/ScopeMap;->getMap()Landroidx/collection/MutableScatterMap; HPLandroidx/compose/runtime/collection/ScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z @@ -5806,7 +5808,7 @@ PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementation PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->()V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->access$getEMPTY$cp()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->add(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->add(Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; @@ -5815,7 +5817,7 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->getSize()I HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->indexOf(Ljava/lang/Object;)I PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->listIterator(I)Ljava/util/ListIterator; -PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->removeAt(I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->removeAt(I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->set(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->()V @@ -5836,7 +5838,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->containsKey(Ljava/lang/Object;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getNode$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getSize()I @@ -5890,6 +5892,7 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->elementsIdentityEquals(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$runtime_release(I)I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->getBuffer$runtime_release()[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$runtime_release(I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z @@ -5921,7 +5924,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V @@ -6025,7 +6028,7 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->access$ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Landroidx/compose/runtime/CompositionLocal;)Z -HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; @@ -6057,7 +6060,7 @@ Landroidx/compose/runtime/saveable/MapSaverKt; HSPLandroidx/compose/runtime/saveable/MapSaverKt;->mapSaver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1; HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->(Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/util/List; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/util/List; HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2; HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2;->(Lkotlin/jvm/functions/Function1;)V @@ -6133,7 +6136,7 @@ PLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3 Landroidx/compose/runtime/saveable/SaveableStateRegistryKt; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->()V HPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->SaveableStateRegistry(Ljava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/SaveableStateRegistry; -HPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->getLocalSaveableStateRegistry()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->getLocalSaveableStateRegistry()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/runtime/saveable/SaveableStateRegistryKt$LocalSaveableStateRegistry$1; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt$LocalSaveableStateRegistry$1;->()V HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt$LocalSaveableStateRegistry$1;->()V @@ -6141,7 +6144,7 @@ Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/SaverKt; HSPLandroidx/compose/runtime/saveable/SaverKt;->()V HSPLandroidx/compose/runtime/saveable/SaverKt;->Saver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; -HSPLandroidx/compose/runtime/saveable/SaverKt;->autoSaver()Landroidx/compose/runtime/saveable/Saver; +HPLandroidx/compose/runtime/saveable/SaverKt;->autoSaver()Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/SaverKt$AutoSaver$1; HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$1;->()V HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$1;->()V @@ -6186,7 +6189,7 @@ HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getApplied$runtime_rele HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getModified$runtime_release()Landroidx/compose/runtime/collection/IdentityArraySet; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getPreviousIds$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadOnly()Z +HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteObserver$runtime_release()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->innerApplyLocked$runtime_release(ILjava/util/Map;Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotApplyResult; @@ -6231,6 +6234,7 @@ HPLandroidx/compose/runtime/snapshots/Snapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/Snapshot;->getDisposed$runtime_release()Z HPLandroidx/compose/runtime/snapshots/Snapshot;->getId()I HPLandroidx/compose/runtime/snapshots/Snapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HPLandroidx/compose/runtime/snapshots/Snapshot;->makeCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->restoreCurrent(Landroidx/compose/runtime/snapshots/Snapshot;)V @@ -6239,12 +6243,13 @@ HSPLandroidx/compose/runtime/snapshots/Snapshot;->setId$runtime_release(I)V HSPLandroidx/compose/runtime/snapshots/Snapshot;->setInvalid$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V PLandroidx/compose/runtime/snapshots/Snapshot;->validateNotDisposed$runtime_release()V Landroidx/compose/runtime/snapshots/Snapshot$Companion; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->$r8$lambda$jS7BU8l_ZXLY3K3v0EKVcok6S0g(Lkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->$r8$lambda$GEUC571cySCO9vsVP4XWU3olfh0(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->()V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->createNonObservableSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->getCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->notifyObjectsInitialized()V +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->observe(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver$lambda$6(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver(Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/snapshots/ObserverHandle; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerGlobalWriteObserver(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/ObserverHandle; @@ -6252,7 +6257,7 @@ HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->sendApplyNotification HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->dispose()V Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1;->(Lkotlin/jvm/functions/Function1;)V @@ -6282,7 +6287,7 @@ HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->(JJI[I)V PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getBelowBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)[I HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getEMPTY$cp()Landroidx/compose/runtime/snapshots/SnapshotIdSet; PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)I -PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J +HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getUpperSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->andNot(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->clear(I)Landroidx/compose/runtime/snapshots/SnapshotIdSet; @@ -6295,7 +6300,7 @@ Landroidx/compose/runtime/snapshots/SnapshotIdSet$Companion; HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->getEMPTY()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotIdSetKt; @@ -6424,7 +6429,7 @@ Landroidx/compose/runtime/snapshots/SnapshotStateList$addAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateList$retainAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateListKt; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$validateRange(II)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->validateRange(II)V Landroidx/compose/runtime/snapshots/SnapshotStateMap; @@ -6450,10 +6455,10 @@ HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$addChanges( HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$drainChanges(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getCurrentMap$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getObservedScopeMaps$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Landroidx/compose/runtime/collection/MutableVector; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$isPaused$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z -HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$sendNotifications(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$setSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;Z)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$sendNotifications(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$setSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;Z)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->addChanges(Ljava/util/Set;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear(Ljava/lang/Object;)V @@ -6526,7 +6531,7 @@ HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->apply HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getCurrentSnapshot()Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getId()I -HSPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->notifyObjectsInitialized$runtime_release()V @@ -6560,7 +6565,7 @@ HSPLandroidx/compose/ui/Alignment$Companion;->()V HSPLandroidx/compose/ui/Alignment$Companion;->getCenter()Landroidx/compose/ui/Alignment; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterHorizontally()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterVertically()Landroidx/compose/ui/Alignment$Vertical; -HSPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; +HPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getTop()Landroidx/compose/ui/Alignment$Vertical; PLandroidx/compose/ui/Alignment$Companion;->getTopCenter()Landroidx/compose/ui/Alignment; HPLandroidx/compose/ui/Alignment$Companion;->getTopStart()Landroidx/compose/ui/Alignment; @@ -6584,7 +6589,7 @@ HSPLandroidx/compose/ui/BiasAlignment$Vertical;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/CombinedModifier; HSPLandroidx/compose/ui/CombinedModifier;->()V HPLandroidx/compose/ui/CombinedModifier;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/Modifier;)V -HPLandroidx/compose/ui/CombinedModifier;->all(Lkotlin/jvm/functions/Function1;)Z +HSPLandroidx/compose/ui/CombinedModifier;->all(Lkotlin/jvm/functions/Function1;)Z HPLandroidx/compose/ui/CombinedModifier;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/CombinedModifier;->foldIn(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/ui/CombinedModifier;->getInner$ui_release()Landroidx/compose/ui/Modifier; @@ -6639,7 +6644,7 @@ PLandroidx/compose/ui/Modifier$Node;->reset$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runAttachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->setAggregateChildKindSet$ui_release(I)V -HSPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V +HPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setChild$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setInsertedNodeAwaitingAttachForInvalidation$ui_release(Z)V HPLandroidx/compose/ui/Modifier$Node;->setKindSet$ui_release(I)V @@ -6696,7 +6701,7 @@ HSPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier Landroidx/compose/ui/draw/DrawBackgroundModifier; HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->()V HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->(Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/DrawBehindElement; HSPLandroidx/compose/ui/draw/DrawBehindElement;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/draw/DrawBehindElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -6750,13 +6755,13 @@ HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->(Lkotlin/jvm/func HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusEventNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusPropertiesNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; HPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusTargetNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; -HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Ljava/util/Set;Ljava/lang/Object;)V Landroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1; HSPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->(Landroidx/compose/ui/focus/FocusInvalidationManager;)V -HSPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->invoke()V Landroidx/compose/ui/focus/FocusManager; Landroidx/compose/ui/focus/FocusModifierKt; @@ -6769,7 +6774,7 @@ HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->(Lkotlin/jvm/functions/Func HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getFocusTransactionManager()Landroidx/compose/ui/focus/FocusTransactionManager; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getModifier()Landroidx/compose/ui/Modifier; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getRootFocusNode$ui_release()Landroidx/compose/ui/focus/FocusTargetNode; -HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -6788,7 +6793,7 @@ Landroidx/compose/ui/focus/FocusStateImpl; HSPLandroidx/compose/ui/focus/FocusStateImpl;->$values()[Landroidx/compose/ui/focus/FocusStateImpl; HSPLandroidx/compose/ui/focus/FocusStateImpl;->()V HSPLandroidx/compose/ui/focus/FocusStateImpl;->(Ljava/lang/String;I)V -HSPLandroidx/compose/ui/focus/FocusStateImpl;->isFocused()Z +HPLandroidx/compose/ui/focus/FocusStateImpl;->isFocused()Z HSPLandroidx/compose/ui/focus/FocusStateImpl;->values()[Landroidx/compose/ui/focus/FocusStateImpl; Landroidx/compose/ui/focus/FocusStateImpl$WhenMappings; HSPLandroidx/compose/ui/focus/FocusStateImpl$WhenMappings;->()V @@ -6870,7 +6875,7 @@ HPLandroidx/compose/ui/geometry/RectKt;->Rect-tz77jQw(JJ)Landroidx/compose/ui/ge Landroidx/compose/ui/geometry/RoundRect; HSPLandroidx/compose/ui/geometry/RoundRect;->()V HPLandroidx/compose/ui/geometry/RoundRect;->(FFFFJJJJ)V -HSPLandroidx/compose/ui/geometry/RoundRect;->(FFFFJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/geometry/RoundRect;->(FFFFJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/geometry/RoundRect;->getBottom()F HPLandroidx/compose/ui/geometry/RoundRect;->getBottomLeftCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getBottomRightCornerRadius-kKHJgLs()J @@ -6961,17 +6966,17 @@ Landroidx/compose/ui/graphics/AndroidPaint; HSPLandroidx/compose/ui/graphics/AndroidPaint;->()V HPLandroidx/compose/ui/graphics/AndroidPaint;->(Landroid/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidPaint;->asFrameworkPaint()Landroid/graphics/Paint; -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F HPLandroidx/compose/ui/graphics/AndroidPaint;->getBlendMode-0nO6VwU()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/AndroidPaint;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; HPLandroidx/compose/ui/graphics/AndroidPaint;->getFilterQuality-f-v9h1I()I -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; +HPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; HPLandroidx/compose/ui/graphics/AndroidPaint;->getShader()Landroid/graphics/Shader; -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F HSPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setBlendMode-s9anfk8(I)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setColor-8_81llA(J)V @@ -6988,10 +6993,10 @@ HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeColor(Landroid HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeFilterQuality(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeCap(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeJoin(Landroid/graphics/Paint;)I -HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F -HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F +HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F +HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->makeNativePaint()Landroid/graphics/Paint; -HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V +HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeBlendMode-GB0RdKg(Landroid/graphics/Paint;I)V HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColor-4WTKRHQ(Landroid/graphics/Paint;J)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColorFilter(Landroid/graphics/Paint;Landroidx/compose/ui/graphics/ColorFilter;)V @@ -7234,7 +7239,7 @@ HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->(Landroidx/compose/ui HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->getRect()Landroidx/compose/ui/geometry/Rect; Landroidx/compose/ui/graphics/Outline$Rounded; HPLandroidx/compose/ui/graphics/Outline$Rounded;->(Landroidx/compose/ui/geometry/RoundRect;)V -HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; +HPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRectPath$ui_graphics_release()Landroidx/compose/ui/graphics/Path; Landroidx/compose/ui/graphics/OutlineKt; HPLandroidx/compose/ui/graphics/OutlineKt;->access$hasSameCornerRadius(Landroidx/compose/ui/geometry/RoundRect;)Z @@ -7355,6 +7360,7 @@ HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->getTranslationY()F HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->(Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V +HSPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V @@ -7367,26 +7373,26 @@ HSPLandroidx/compose/ui/graphics/SolidColor;->applyTo-Pq9zytI(JLandroidx/compose HSPLandroidx/compose/ui/graphics/SolidColor;->getValue-0d7_KjU()J Landroidx/compose/ui/graphics/StrokeCap; HSPLandroidx/compose/ui/graphics/StrokeCap;->()V -HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getButt$cp()I -HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getSquare$cp()I +HPLandroidx/compose/ui/graphics/StrokeCap;->access$getButt$cp()I +HPLandroidx/compose/ui/graphics/StrokeCap;->access$getSquare$cp()I HSPLandroidx/compose/ui/graphics/StrokeCap;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeCap;->equals-impl0(II)Z Landroidx/compose/ui/graphics/StrokeCap$Companion; HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getButt-KaPHkGw()I -HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getSquare-KaPHkGw()I +HPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getButt-KaPHkGw()I +HPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getSquare-KaPHkGw()I Landroidx/compose/ui/graphics/StrokeJoin; HSPLandroidx/compose/ui/graphics/StrokeJoin;->()V HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getBevel$cp()I -HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getMiter$cp()I +HPLandroidx/compose/ui/graphics/StrokeJoin;->access$getMiter$cp()I HSPLandroidx/compose/ui/graphics/StrokeJoin;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeJoin;->equals-impl0(II)Z Landroidx/compose/ui/graphics/StrokeJoin$Companion; HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->getBevel-LxFBmk8()I -HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->getMiter-LxFBmk8()I +HPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->getMiter-LxFBmk8()I Landroidx/compose/ui/graphics/TransformOrigin; HSPLandroidx/compose/ui/graphics/TransformOrigin;->()V HPLandroidx/compose/ui/graphics/TransformOrigin;->access$getCenter$cp()J @@ -7535,11 +7541,11 @@ HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getAbsolute HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getPerceptual-uksYyKA()I HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getRelative-uksYyKA()I Landroidx/compose/ui/graphics/colorspace/Rgb; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$FANKyyW7TMwi4gnihl1LqxbkU6k(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$G8Pyx7Z9bMrnDjgEiQ7pXGTZEzg(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$OfmTeMXzL_nayJmS5mO6N4G4DlI(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$ahWovdYS5NpJ-IThda37cTda4qg(D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$q_AtDSzDu9yw5JwgrVWJo3kmlB0(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D +HPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$-dnaBie4LWY14HMiVYPEW1zVyJ0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$0VnaReYaJMb11m2G7-Mh0wuBaWA(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$IntSl_jJJrniYA6DFCtcEZiKFa4(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$NBAtvciw6pO7qi1pZQhckAj5hfk(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$Re7xw3aJmdVA8XGvDpOzDTnMqwA(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->()V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Landroidx/compose/ui/graphics/colorspace/Rgb;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;DFFI)V @@ -7557,29 +7563,29 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getOetfOrig$ui_graphics_releas HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getTransform$ui_graphics_release()[F HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getWhitePoint()Landroidx/compose/ui/graphics/colorspace/WhitePoint; HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->isSrgb()Z -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toXy$ui_graphics_release(FFF)J HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toZ$ui_graphics_release(FFF)F HPLandroidx/compose/ui/graphics/colorspace/Rgb;->xyzaToColor-JlNiLsg$ui_graphics_release(FFFFLandroidx/compose/ui/graphics/colorspace/ColorSpace;)J -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda1; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda1;->()V -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda1;->invoke(D)D -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda11; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda11;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V -HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda11;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda0;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda0;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda12; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda12;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda12;->invoke(D)D Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2;->(D)V -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda3; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda3;->(D)V -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda7; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda7;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda7;->invoke(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V +HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda4; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda4;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V +HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda4;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda5; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda5;->()V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda5;->invoke(D)D Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V -HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8;->invoke(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8;->(D)V Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9;->invoke(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9;->(D)V Landroidx/compose/ui/graphics/colorspace/Rgb$Companion; HSPLandroidx/compose/ui/graphics/colorspace/Rgb$Companion;->()V HSPLandroidx/compose/ui/graphics/colorspace/Rgb$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -7602,13 +7608,13 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb$oetf$1;->(Landroidx/compos Landroidx/compose/ui/graphics/colorspace/TransferParameters; HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDD)V HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDDILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D +HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getB()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getC()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getD()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getE()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getF()D -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getGamma()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getGamma()D Landroidx/compose/ui/graphics/colorspace/WhitePoint; HSPLandroidx/compose/ui/graphics/colorspace/WhitePoint;->(FF)V HSPLandroidx/compose/ui/graphics/colorspace/WhitePoint;->getX()F @@ -7634,7 +7640,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->getDrawParams()Landr HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->modulate-5vOe2sY(JF)J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainFillPaint()Landroidx/compose/ui/graphics/Paint; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainStrokePaint()Landroidx/compose/ui/graphics/Paint; +HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainStrokePaint()Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->selectPaint(Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/graphics/Paint; Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;J)V @@ -7645,7 +7651,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component3()Landroidx/compose/ui/graphics/Canvas; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component4-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getCanvas()Landroidx/compose/ui/graphics/Canvas; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; +HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getSize-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->setCanvas(Landroidx/compose/ui/graphics/Canvas;)V @@ -7704,12 +7710,12 @@ HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->()V HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->(FFIILandroidx/compose/ui/graphics/PathEffect;)V HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->(FFIILandroidx/compose/ui/graphics/PathEffect;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->(FFIILandroidx/compose/ui/graphics/PathEffect;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getCap-KaPHkGw()I -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getJoin-LxFBmk8()I -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getMiter()F -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getWidth()F +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getCap-KaPHkGw()I +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getJoin-LxFBmk8()I +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getMiter()F +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getWidth()F Landroidx/compose/ui/graphics/drawscope/Stroke$Companion; HSPLandroidx/compose/ui/graphics/drawscope/Stroke$Companion;->()V HSPLandroidx/compose/ui/graphics/drawscope/Stroke$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -7724,9 +7730,9 @@ HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY$ PLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; Landroidx/compose/ui/graphics/painter/Painter; HPLandroidx/compose/ui/graphics/painter/Painter;->()V -HSPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V +HPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V -HPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V +HSPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V Landroidx/compose/ui/graphics/painter/Painter$drawLambda$1; HPLandroidx/compose/ui/graphics/painter/Painter$drawLambda$1;->(Landroidx/compose/ui/graphics/painter/Painter;)V @@ -8163,7 +8169,7 @@ HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->()V HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/layout/AlignmentLineKt; HSPLandroidx/compose/ui/layout/AlignmentLineKt;->()V -HSPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; +HPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; HPLandroidx/compose/ui/layout/AlignmentLineKt;->getLastBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; Landroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1; HSPLandroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1;->()V @@ -8206,7 +8212,7 @@ HSPLandroidx/compose/ui/layout/ContentScale$Companion$Fit$1;->computeScaleFactor Landroidx/compose/ui/layout/ContentScale$Companion$Inside$1; HSPLandroidx/compose/ui/layout/ContentScale$Companion$Inside$1;->()V Landroidx/compose/ui/layout/ContentScaleKt; -PLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F +HPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F HSPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMinDimension-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillHeight-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillMaxDimension-iLBOSCw(JJ)F @@ -8420,7 +8426,7 @@ HSPLandroidx/compose/ui/layout/ScaleFactor$Companion;->(Lkotlin/jvm/intern Landroidx/compose/ui/layout/ScaleFactorKt; HPLandroidx/compose/ui/layout/ScaleFactorKt;->ScaleFactor(FF)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-UQTWf7w(JJ)J -PLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J +HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J Landroidx/compose/ui/layout/SubcomposeLayoutKt; HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->()V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V @@ -8519,7 +8525,7 @@ HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/Al HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/node/AlignmentLines;->access$addAlignmentLine(Landroidx/compose/ui/node/AlignmentLines;Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/AlignmentLines;->access$getAlignmentLineMap$p(Landroidx/compose/ui/node/AlignmentLines;)Ljava/util/Map; -HSPLandroidx/compose/ui/node/AlignmentLines;->addAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V +HPLandroidx/compose/ui/node/AlignmentLines;->addAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/AlignmentLines;->getAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/AlignmentLines;->getDirty$ui_release()Z HSPLandroidx/compose/ui/node/AlignmentLines;->getLastCalculation()Ljava/util/Map; @@ -8641,7 +8647,7 @@ HPLandroidx/compose/ui/node/DelegatableNodeKt;->access$pop(Landroidx/compose/run PLandroidx/compose/ui/node/DelegatableNodeKt;->addLayoutNodeChildren(Landroidx/compose/runtime/collection/MutableVector;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/DelegatableNodeKt;->asLayoutModifierNode(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/node/LayoutModifierNode; HPLandroidx/compose/ui/node/DelegatableNodeKt;->has-64DMado(Landroidx/compose/ui/node/DelegatableNode;I)Z -HPLandroidx/compose/ui/node/DelegatableNodeKt;->isDelegationRoot(Landroidx/compose/ui/node/DelegatableNode;)Z +HSPLandroidx/compose/ui/node/DelegatableNodeKt;->isDelegationRoot(Landroidx/compose/ui/node/DelegatableNode;)Z HPLandroidx/compose/ui/node/DelegatableNodeKt;->pop(Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/DelegatableNodeKt;->requireCoordinator-64DMado(Landroidx/compose/ui/node/DelegatableNode;I)Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/DelegatableNodeKt;->requireLayoutNode(Landroidx/compose/ui/node/DelegatableNode;)Landroidx/compose/ui/node/LayoutNode; @@ -8656,7 +8662,7 @@ HPLandroidx/compose/ui/node/DelegatingNode;->markAsAttached$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->markAsDetached$ui_release()V PLandroidx/compose/ui/node/DelegatingNode;->reset$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->runAttachLifecycle$ui_release()V -PLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V +HPLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->updateCoordinator$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/DelegatingNode;->updateNodeKindSet(IZ)V HPLandroidx/compose/ui/node/DelegatingNode;->validateDelegateKindSet(ILandroidx/compose/ui/Modifier$Node;)V @@ -8719,7 +8725,7 @@ HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->()V HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/node/LayerPositionalProperties; HPLandroidx/compose/ui/node/LayerPositionalProperties;->()V -HSPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V Landroidx/compose/ui/node/LayoutAwareModifierNode; HSPLandroidx/compose/ui/node/LayoutAwareModifierNode;->onRemeasured-ozmzZPI(J)V Landroidx/compose/ui/node/LayoutModifierNode; @@ -8744,14 +8750,14 @@ Landroidx/compose/ui/node/LayoutModifierNodeKt; HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateLayer(Landroidx/compose/ui/node/LayoutModifierNode;)V HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateMeasurement(Landroidx/compose/ui/node/LayoutModifierNode;)V Landroidx/compose/ui/node/LayoutNode; -HPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$sRgkQXY3YeKQJ3LSwfhu7YPHyX0(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->()V -HPLandroidx/compose/ui/node/LayoutNode;->(ZI)V +HSPLandroidx/compose/ui/node/LayoutNode;->(ZI)V HPLandroidx/compose/ui/node/LayoutNode;->(ZIILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$39(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->access$getConstructor$cp()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/LayoutNode;->access$setIgnoreRemeasureRequests$p(Landroidx/compose/ui/node/LayoutNode;Z)V -HSPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V +HPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreePlacementIntrinsicsUsage()V HPLandroidx/compose/ui/node/LayoutNode;->detach$ui_release()V @@ -8785,14 +8791,16 @@ HPLandroidx/compose/ui/node/LayoutNode;->getMeasurePolicy()Landroidx/compose/ui/ HPLandroidx/compose/ui/node/LayoutNode;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; HSPLandroidx/compose/ui/node/LayoutNode;->getNeedsOnPositionedDispatch$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getNodes$ui_release()Landroidx/compose/ui/node/NodeChain; +HPLandroidx/compose/ui/node/LayoutNode;->getOuterCoordinator$ui_release()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNode;->getOwner$ui_release()Landroidx/compose/ui/node/Owner; HPLandroidx/compose/ui/node/LayoutNode;->getParent$ui_release()Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/LayoutNode;->getPlaceOrder$ui_release()I HSPLandroidx/compose/ui/node/LayoutNode;->getSemanticsId()I HSPLandroidx/compose/ui/node/LayoutNode;->getSubcompositionsState$ui_release()Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; HSPLandroidx/compose/ui/node/LayoutNode;->getWidth()I -HPLandroidx/compose/ui/node/LayoutNode;->getZIndex()F +HSPLandroidx/compose/ui/node/LayoutNode;->getZIndex()F HPLandroidx/compose/ui/node/LayoutNode;->getZSortedChildren()Landroidx/compose/runtime/collection/MutableVector; +HPLandroidx/compose/ui/node/LayoutNode;->get_children$ui_release()Landroidx/compose/runtime/collection/MutableVector; HPLandroidx/compose/ui/node/LayoutNode;->insertAt$ui_release(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnAttach()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnDetach()V @@ -8806,12 +8814,12 @@ HPLandroidx/compose/ui/node/LayoutNode;->isAttached()Z HPLandroidx/compose/ui/node/LayoutNode;->isDeactivated()Z HPLandroidx/compose/ui/node/LayoutNode;->isPlaced()Z HPLandroidx/compose/ui/node/LayoutNode;->isPlacedByParent()Z -HSPLandroidx/compose/ui/node/LayoutNode;->isValidOwnerScope()Z +HPLandroidx/compose/ui/node/LayoutNode;->isValidOwnerScope()Z PLandroidx/compose/ui/node/LayoutNode;->markLayoutPending$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->markMeasurePending$ui_release()V PLandroidx/compose/ui/node/LayoutNode;->move$ui_release(III)V HPLandroidx/compose/ui/node/LayoutNode;->onChildRemoved(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/node/LayoutNode;->onDeactivate()V +HPLandroidx/compose/ui/node/LayoutNode;->onDeactivate()V HPLandroidx/compose/ui/node/LayoutNode;->onDensityOrLayoutDirectionChanged()V HPLandroidx/compose/ui/node/LayoutNode;->onRelease()V HPLandroidx/compose/ui/node/LayoutNode;->onZSortedChildrenInvalidated$ui_release()V @@ -8831,7 +8839,7 @@ PLandroidx/compose/ui/node/LayoutNode;->resetModifierState()V HPLandroidx/compose/ui/node/LayoutNode;->resetSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->setCanMultiMeasure$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setCompositeKeyHash(I)V -HSPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V +HPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V HPLandroidx/compose/ui/node/LayoutNode;->setDensity(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/node/LayoutNode;->setInnerLayerCoordinatorIsDirty$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -8891,7 +8899,7 @@ HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->draw-x_KDEd0$ui_release(Landro HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawContent()V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawDirect-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/node/DrawModifierNode;)V -HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V +HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V @@ -8944,6 +8952,7 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDur HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDuringPlacement(Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->updateParentData()V Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$checkChildrenPlaceOrderForUpdates(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$clearPlaceOrder(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorLayerBlock$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)Lkotlin/jvm/functions/Function1; @@ -8956,10 +8965,10 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->forEa HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->get(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getAlignmentLines()Landroidx/compose/ui/node/AlignmentLines; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getChildDelegates$ui_release()Ljava/util/List; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getLastConstraints-DWUhwKw()Landroidx/compose/ui/unit/Constraints; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getPlaceOrder$ui_release()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getZIndex$ui_release()F @@ -8967,15 +8976,17 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->inval HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateParentData()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlaced()Z HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlacedByParent()Z -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->layoutChildren()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V PLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markSubtreeAsNotPlaced()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->notifyChildrenUsingCoordinatesWhilePlacing()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onBeforeLayoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodeDetached()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodePlaced$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->replace()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->setChildDelegatesDirty$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->setMeasuredByParent$ui_release(Landroidx/compose/ui/node/LayoutNode$UsageByParent;)V @@ -9042,8 +9053,8 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->doRemeasure-sdFAvZA(Landr HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtree(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtreeInternal(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getCanAffectParent(Landroidx/compose/ui/node/LayoutNode;)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getMeasureAffectsParent(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureAndLayout(Lkotlin/jvm/functions/Function0;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureOnly()V @@ -9053,16 +9064,11 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onlyRemeasureIfScheduled( HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;ZZ)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;Z)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->updateRootConstraints-BRTryo0(J)V Landroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest; -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->()V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->(Landroidx/compose/ui/node/LayoutNode;ZZ)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->getNode()Landroidx/compose/ui/node/LayoutNode; -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isForced()Z -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isLookahead()Z Landroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings; HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings;->()V Landroidx/compose/ui/node/MeasureScopeWithLayoutNode; @@ -9096,12 +9102,12 @@ HPLandroidx/compose/ui/node/NodeChain;->markAsAttached()V HPLandroidx/compose/ui/node/NodeChain;->markAsDetached$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->padChain()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeChain;->resetState$ui_release()V -HSPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V +HPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V HPLandroidx/compose/ui/node/NodeChain;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->syncAggregateChildKindSet()V HPLandroidx/compose/ui/node/NodeChain;->syncCoordinators()V HPLandroidx/compose/ui/node/NodeChain;->trimChain(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/Modifier$Node; -HSPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V +HPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/node/NodeChain;->updateNode(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt; HSPLandroidx/compose/ui/node/NodeChainKt;->()V @@ -9109,7 +9115,7 @@ HPLandroidx/compose/ui/node/NodeChainKt;->access$fillVector(Landroidx/compose/ui HPLandroidx/compose/ui/node/NodeChainKt;->access$getSentinelHead$p()Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt;->access$updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeChainKt;->actionForModifiers(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;)I -HSPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; +HPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/ui/node/NodeChainKt;->updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt$SentinelHead$1;->()V @@ -9117,6 +9123,7 @@ Landroidx/compose/ui/node/NodeChainKt$fillVector$1; HPLandroidx/compose/ui/node/NodeChainKt$fillVector$1;->(Landroidx/compose/runtime/collection/MutableVector;)V Landroidx/compose/ui/node/NodeCoordinator; HSPLandroidx/compose/ui/node/NodeCoordinator;->()V +HSPLandroidx/compose/ui/node/NodeCoordinator;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$drawContainedDrawModifiers(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$getGraphicsLayerScope$cp()Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; HPLandroidx/compose/ui/node/NodeCoordinator;->access$getOnCommitAffectingLayer$cp()Lkotlin/jvm/functions/Function1; @@ -9146,10 +9153,12 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->getWrappedBy$ui_release()Landroidx HPLandroidx/compose/ui/node/NodeCoordinator;->getZIndex()F HPLandroidx/compose/ui/node/NodeCoordinator;->hasNode-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeCoordinator;->head-H91voCI(I)Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/ui/node/NodeCoordinator;->headNode(Z)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->invalidateLayer()V HPLandroidx/compose/ui/node/NodeCoordinator;->isAttached()Z PLandroidx/compose/ui/node/NodeCoordinator;->isValidOwnerScope()Z HPLandroidx/compose/ui/node/NodeCoordinator;->onLayoutNodeAttach()V +HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasureResultChanged(II)V HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasured()V HPLandroidx/compose/ui/node/NodeCoordinator;->onPlaced()V HPLandroidx/compose/ui/node/NodeCoordinator;->onRelease()V @@ -9158,7 +9167,7 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelf-f8xVGno(JFLkotlin/jvm/fu HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelfApparentToRealOffset-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V HPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V -HSPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V +HPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrapped$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrappedBy$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/NodeCoordinator;->toParentPosition-MK-Hz9U(J)J @@ -9176,15 +9185,15 @@ HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$SemanticsSource$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V -PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V -PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V +HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V Landroidx/compose/ui/node/NodeCoordinator$HitTestSource; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V -HSPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V @@ -9203,9 +9212,10 @@ HPLandroidx/compose/ui/node/NodeKind;->constructor-impl(I)I Landroidx/compose/ui/node/NodeKindKt; HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateInsertedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeIncludingDelegates(Landroidx/compose/ui/Modifier$Node;II)V -HSPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V +HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateUpdatedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Element;)I +HSPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFromIncludingDelegates(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->getIncludeSelfInTraversal-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeKindKt;->specifiesCanFocusProperty(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)Z @@ -9224,7 +9234,7 @@ HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatch()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatchHierarchy(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->isNotEmpty()Z +HPLandroidx/compose/ui/node/OnPositionedDispatcher;->isNotEmpty()Z HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->onNodePositioned(Landroidx/compose/ui/node/LayoutNode;)V Landroidx/compose/ui/node/OnPositionedDispatcher$Companion; HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion;->()V @@ -9238,7 +9248,7 @@ Landroidx/compose/ui/node/OwnedLayer; Landroidx/compose/ui/node/Owner; HSPLandroidx/compose/ui/node/Owner;->()V HSPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V -HSPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/Owner;->onRequestMeasure$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZZILjava/lang/Object;)V PLandroidx/compose/ui/node/Owner;->onRequestRelayout$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V Landroidx/compose/ui/node/Owner$Companion; @@ -9282,7 +9292,7 @@ Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1;->()V @@ -9350,8 +9360,8 @@ HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->()V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/ClipboardManager;)V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/Context;)V Landroidx/compose/ui/platform/AndroidComposeView; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$6rnsioIDxAVR319ScBkOteeoeiE(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$TvhWqMihl4JwF42Odovn0ewO6fk(Landroidx/compose/ui/platform/AndroidComposeView;Z)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$9uNktdebB0yK4R-m5-wNwUuyTiU(Landroidx/compose/ui/platform/AndroidComposeView;Z)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$LZdaJ-bU2vesAN7Qf40nAqlKyDE(Landroidx/compose/ui/platform/AndroidComposeView;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->()V HPLandroidx/compose/ui/platform/AndroidComposeView;->(Landroid/content/Context;Lkotlin/coroutines/CoroutineContext;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->access$getGetBooleanMethod$cp()Ljava/lang/reflect/Method; @@ -9417,7 +9427,7 @@ PLandroidx/compose/ui/platform/AndroidComposeView;->onRequestRelayout(Landroidx/ HSPLandroidx/compose/ui/platform/AndroidComposeView;->onResume(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onRtlPropertiesChanged(I)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onSemanticsChange()V -PLandroidx/compose/ui/platform/AndroidComposeView;->onWindowFocusChanged(Z)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->onWindowFocusChanged(Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->pack-ZIaKswc(II)J HPLandroidx/compose/ui/platform/AndroidComposeView;->recycle$ui_release(Landroidx/compose/ui/node/OwnedLayer;)Z HPLandroidx/compose/ui/platform/AndroidComposeView;->registerOnEndApplyChangesListener(Lkotlin/jvm/functions/Function0;)V @@ -9430,7 +9440,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->setOnViewTreeOwnersAvailab HSPLandroidx/compose/ui/platform/AndroidComposeView;->setShowLayoutBounds(Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->set_viewTreeOwners(Landroidx/compose/ui/platform/AndroidComposeView$ViewTreeOwners;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->touchModeChangeListener$lambda$3(Landroidx/compose/ui/platform/AndroidComposeView;Z)V -HSPLandroidx/compose/ui/platform/AndroidComposeView;->updatePositionCacheAndDispatch()V +HPLandroidx/compose/ui/platform/AndroidComposeView;->updatePositionCacheAndDispatch()V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->(Landroidx/compose/ui/platform/AndroidComposeView;)V HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->onGlobalLayout()V @@ -9463,7 +9473,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView$dragAndDropModifierOnDragLis Landroidx/compose/ui/platform/AndroidComposeView$focusOwner$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V +HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V Landroidx/compose/ui/platform/AndroidComposeView$pointerIconService$1; @@ -9571,7 +9581,7 @@ HPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->ProvideAndr HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalContext()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalLifecycleOwner()Landroidx/compose/runtime/ProvidableCompositionLocal; -HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalView()Landroidx/compose/runtime/ProvidableCompositionLocal; +HPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalView()Landroidx/compose/runtime/ProvidableCompositionLocal; HPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->obtainImageVectorCache(Landroid/content/Context;Landroid/content/res/Configuration;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/res/ImageVectorCache; Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$LocalConfiguration$1; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$LocalConfiguration$1;->()V @@ -9627,15 +9637,15 @@ Landroidx/compose/ui/platform/AndroidUiDispatcher; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->()V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->(Landroid/view/Choreographer;Landroid/os/Handler;)V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->(Landroid/view/Choreographer;Landroid/os/Handler;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getHandler$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Landroid/os/Handler; -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/lang/Object; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getHandler$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Landroid/os/Handler; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/lang/Object; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getMain$delegate$cp()Lkotlin/Lazy; -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V PLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$setScheduledFrameDispatch$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;Z)V HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getFrameClock()Landroidx/compose/runtime/MonotonicFrameClock; HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->nextTask()Ljava/lang/Runnable; HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->performFrameDispatch(J)V @@ -9665,7 +9675,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->()V HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->(Landroid/view/Choreographer;Landroidx/compose/ui/platform/AndroidUiDispatcher;)V HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; -HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->getChoreographer()Landroid/view/Choreographer; +HPLandroidx/compose/ui/platform/AndroidUiFrameClock;->getChoreographer()Landroid/view/Choreographer; HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLandroidx/compose/ui/platform/AndroidUiFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1; @@ -9703,7 +9713,7 @@ Landroidx/compose/ui/platform/CompositionLocalsKt; HSPLandroidx/compose/ui/platform/CompositionLocalsKt;->()V HPLandroidx/compose/ui/platform/CompositionLocalsKt;->ProvideCommonCompositionLocals(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/platform/UriHandler;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalDensity()Landroidx/compose/runtime/ProvidableCompositionLocal; -HSPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalFontFamilyResolver()Landroidx/compose/runtime/ProvidableCompositionLocal; +HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalFontFamilyResolver()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalInputModeManager()Landroidx/compose/runtime/ProvidableCompositionLocal; HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalLayoutDirection()Landroidx/compose/runtime/ProvidableCompositionLocal; HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalViewConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -9814,7 +9824,7 @@ HPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$1;->invokeSu Landroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->(Lkotlinx/coroutines/channels/Channel;)V HPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->invoke(Ljava/lang/Object;)V +HSPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->invoke(Ljava/lang/Object;)V Landroidx/compose/ui/platform/InfiniteAnimationPolicy; HSPLandroidx/compose/ui/platform/InfiniteAnimationPolicy;->()V Landroidx/compose/ui/platform/InfiniteAnimationPolicy$Key; @@ -9858,7 +9868,7 @@ HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->minusKey(Lkotlin/coro HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->setScaleFactor(F)V Landroidx/compose/ui/platform/OutlineResolver; HSPLandroidx/compose/ui/platform/OutlineResolver;->()V -HSPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/platform/OutlineResolver;->getCacheIsDirty$ui_release()Z HPLandroidx/compose/ui/platform/OutlineResolver;->getOutline()Landroid/graphics/Outline; HPLandroidx/compose/ui/platform/OutlineResolver;->getOutlineClipSupported()Z @@ -9871,6 +9881,7 @@ Landroidx/compose/ui/platform/PlatformTextInputSessionHandler; Landroidx/compose/ui/platform/RenderNodeApi29; HSPLandroidx/compose/ui/platform/RenderNodeApi29;->()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->discardDisplayList()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->drawInto(Landroid/graphics/Canvas;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getClipToOutline()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getElevation()F @@ -9878,8 +9889,8 @@ HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHasDisplayList()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getLeft()I HSPLandroidx/compose/ui/platform/RenderNodeApi29;->getMatrix(Landroid/graphics/Matrix;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getTop()I -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->record(Landroidx/compose/ui/graphics/CanvasHolder;Landroidx/compose/ui/graphics/Path;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToBounds(Z)V @@ -9944,11 +9955,11 @@ PLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWind Landroidx/compose/ui/platform/ViewConfiguration; Landroidx/compose/ui/platform/ViewLayer; HSPLandroidx/compose/ui/platform/ViewLayer;->()V -HSPLandroidx/compose/ui/platform/ViewLayer;->access$getShouldUseDispatchDraw$cp()Z +HPLandroidx/compose/ui/platform/ViewLayer;->access$getShouldUseDispatchDraw$cp()Z Landroidx/compose/ui/platform/ViewLayer$Companion; HSPLandroidx/compose/ui/platform/ViewLayer$Companion;->()V HSPLandroidx/compose/ui/platform/ViewLayer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/platform/ViewLayer$Companion;->getShouldUseDispatchDraw()Z +HPLandroidx/compose/ui/platform/ViewLayer$Companion;->getShouldUseDispatchDraw()Z Landroidx/compose/ui/platform/ViewLayer$Companion$OutlineProvider$1; HSPLandroidx/compose/ui/platform/ViewLayer$Companion$OutlineProvider$1;->()V Landroidx/compose/ui/platform/ViewLayer$Companion$getMatrix$1; @@ -9970,14 +9981,14 @@ Landroidx/compose/ui/platform/WindowInfo; Landroidx/compose/ui/platform/WindowInfoImpl; HSPLandroidx/compose/ui/platform/WindowInfoImpl;->()V HSPLandroidx/compose/ui/platform/WindowInfoImpl;->()V -PLandroidx/compose/ui/platform/WindowInfoImpl;->setWindowFocused(Z)V +HSPLandroidx/compose/ui/platform/WindowInfoImpl;->setWindowFocused(Z)V Landroidx/compose/ui/platform/WindowInfoImpl$Companion; HSPLandroidx/compose/ui/platform/WindowInfoImpl$Companion;->()V HSPLandroidx/compose/ui/platform/WindowInfoImpl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/platform/WindowRecomposerFactory; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory;->()V Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion; -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->$r8$lambda$PmWZXv-2LDhDmANvYhil4YZYJuQ(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->$r8$lambda$FWAPLXs0qWMqekhMr83xkKattCY(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->LifecycleAware$lambda$0(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; @@ -10033,10 +10044,10 @@ HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$createLifecycleAware HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$createLifecycleAwareWindowRecomposer$2$onStateChanged$1$1$1$1;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1; HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->(Landroid/content/ContentResolver;Landroid/net/Uri;Landroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$contentObserver$1;Lkotlinx/coroutines/channels/Channel;Landroid/content/Context;Lkotlin/coroutines/Continuation;)V -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$contentObserver$1; HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$contentObserver$1;->(Lkotlinx/coroutines/channels/Channel;Landroid/os/Handler;)V Landroidx/compose/ui/platform/WrappedComposition; @@ -10245,11 +10256,11 @@ HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyReceiver; Landroidx/compose/ui/text/AndroidParagraph; HSPLandroidx/compose/ui/text/AndroidParagraph;->()V -HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V -HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V +HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/AndroidParagraph;->constructTextLayout(IILandroid/text/TextUtils$TruncateAt;IIIII)Landroidx/compose/ui/text/android/TextLayout; HPLandroidx/compose/ui/text/AndroidParagraph;->getDidExceedMaxLines()Z -HSPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F +HPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getHeight()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLastBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLineBaseline$ui_text_release(I)F @@ -10263,12 +10274,12 @@ HPLandroidx/compose/ui/text/AndroidParagraph;->paint-LG529CI(Landroidx/compose/u Landroidx/compose/ui/text/AndroidParagraph$wordBoundary$2; HPLandroidx/compose/ui/text/AndroidParagraph$wordBoundary$2;->(Landroidx/compose/ui/text/AndroidParagraph;)V Landroidx/compose/ui/text/AndroidParagraph_androidKt; -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-aXe7zB0(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-xImikfE(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency--3fSNIE(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-hpcqdu8(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-wPN0Rpw(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-aXe7zB0(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-xImikfE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency--3fSNIE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-hpcqdu8(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-wPN0Rpw(I)I HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutAlign-aXe7zB0(I)I HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutBreakStrategy-xImikfE(I)I @@ -10302,9 +10313,9 @@ HPLandroidx/compose/ui/text/Paragraph;->paint-LG529CI$default(Landroidx/compose/ Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphIntrinsicsKt; HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics$default(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;ILjava/lang/Object;)Landroidx/compose/ui/text/ParagraphIntrinsics; -HSPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; +HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphKt; -HSPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; +HPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; Landroidx/compose/ui/text/ParagraphStyle; HSPLandroidx/compose/ui/text/ParagraphStyle;->()V HPLandroidx/compose/ui/text/ParagraphStyle;->(IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)V @@ -10347,7 +10358,7 @@ Landroidx/compose/ui/text/SpanStyle; HSPLandroidx/compose/ui/text/SpanStyle;->()V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/SpanStyle;->equals(Ljava/lang/Object;)Z @@ -10374,8 +10385,8 @@ HSPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_tex HPLandroidx/compose/ui/text/SpanStyle;->merge(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt; HSPLandroidx/compose/ui/text/SpanStyleKt;->()V -HSPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; -HPLandroidx/compose/ui/text/SpanStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/PlatformSpanStyle;)Landroidx/compose/ui/text/PlatformSpanStyle; +HPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; +HSPLandroidx/compose/ui/text/SpanStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/PlatformSpanStyle;)Landroidx/compose/ui/text/PlatformSpanStyle; HPLandroidx/compose/ui/text/SpanStyleKt;->resolveSpanStyleDefaults(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1; HSPLandroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1;->()V @@ -10421,7 +10432,7 @@ HPLandroidx/compose/ui/text/TextStyle;->getLocaleList()Landroidx/compose/ui/text HPLandroidx/compose/ui/text/TextStyle;->getParagraphStyle$ui_text_release()Landroidx/compose/ui/text/ParagraphStyle; HPLandroidx/compose/ui/text/TextStyle;->getPlatformStyle()Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyle;->getShadow()Landroidx/compose/ui/graphics/Shadow; -HSPLandroidx/compose/ui/text/TextStyle;->getSpanStyle$ui_text_release()Landroidx/compose/ui/text/SpanStyle; +HPLandroidx/compose/ui/text/TextStyle;->getSpanStyle$ui_text_release()Landroidx/compose/ui/text/SpanStyle; HPLandroidx/compose/ui/text/TextStyle;->getTextAlign-e0LSkKk()I HPLandroidx/compose/ui/text/TextStyle;->getTextDecoration()Landroidx/compose/ui/text/style/TextDecoration; HPLandroidx/compose/ui/text/TextStyle;->getTextDirection-s_7X-co()I @@ -10457,7 +10468,7 @@ HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->(Ljava/lang/CharSeq HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getBoringMetrics()Landroid/text/BoringLayout$Metrics; HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getMaxIntrinsicWidth()F Landroidx/compose/ui/text/android/LayoutIntrinsicsKt; -HSPLandroidx/compose/ui/text/android/LayoutIntrinsicsKt;->access$shouldIncreaseMaxIntrinsic(FLjava/lang/CharSequence;Landroid/text/TextPaint;)Z +HPLandroidx/compose/ui/text/android/LayoutIntrinsicsKt;->access$shouldIncreaseMaxIntrinsic(FLjava/lang/CharSequence;Landroid/text/TextPaint;)Z HPLandroidx/compose/ui/text/android/LayoutIntrinsicsKt;->shouldIncreaseMaxIntrinsic(FLjava/lang/CharSequence;Landroid/text/TextPaint;)Z Landroidx/compose/ui/text/android/SpannedExtensionsKt; HPLandroidx/compose/ui/text/android/SpannedExtensionsKt;->hasSpan(Landroid/text/Spanned;Ljava/lang/Class;)Z @@ -10468,42 +10479,42 @@ HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/Char HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory23; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->()V -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z +HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; +HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory26; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V +HPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V Landroidx/compose/ui/text/android/StaticLayoutFactory28; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V +HPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V Landroidx/compose/ui/text/android/StaticLayoutFactoryImpl; Landroidx/compose/ui/text/android/StaticLayoutParams; HPLandroidx/compose/ui/text/android/StaticLayoutParams;->(Ljava/lang/CharSequence;IILandroid/text/TextPaint;ILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)V -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getAlignment()Landroid/text/Layout$Alignment; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getBreakStrategy()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsize()Landroid/text/TextUtils$TruncateAt; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsizedWidth()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEnd()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getHyphenationFrequency()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getIncludePadding()Z -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getJustificationMode()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLeftIndents()[I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingExtra()F -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingMultiplier()F -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getMaxLines()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getPaint()Landroid/text/TextPaint; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getRightIndents()[I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getStart()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getText()Ljava/lang/CharSequence; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getTextDir()Landroid/text/TextDirectionHeuristic; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getUseFallbackLineSpacing()Z +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getAlignment()Landroid/text/Layout$Alignment; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getBreakStrategy()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsize()Landroid/text/TextUtils$TruncateAt; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsizedWidth()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEnd()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getHyphenationFrequency()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getIncludePadding()Z +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getJustificationMode()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLeftIndents()[I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingExtra()F +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingMultiplier()F +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getMaxLines()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getPaint()Landroid/text/TextPaint; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getRightIndents()[I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getStart()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getText()Ljava/lang/CharSequence; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getTextDir()Landroid/text/TextDirectionHeuristic; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getUseFallbackLineSpacing()Z HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getWidth()I Landroidx/compose/ui/text/android/TextAlignmentAdapter; HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V -HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->get(I)Landroid/text/Layout$Alignment; +HPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->get(I)Landroid/text/Layout$Alignment; Landroidx/compose/ui/text/android/TextAndroidCanvas; HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V @@ -10513,10 +10524,10 @@ HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->setCanvas(Landroid/grap Landroidx/compose/ui/text/android/TextLayout; HSPLandroidx/compose/ui/text/android/TextLayout;->()V HPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;)V -HSPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/android/TextLayout;->getDidExceedMaxLines()Z +HPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/android/TextLayout;->getDidExceedMaxLines()Z HPLandroidx/compose/ui/text/android/TextLayout;->getHeight()I -HSPLandroidx/compose/ui/text/android/TextLayout;->getIncludePadding()Z +HPLandroidx/compose/ui/text/android/TextLayout;->getIncludePadding()Z HPLandroidx/compose/ui/text/android/TextLayout;->getLayout()Landroid/text/Layout; HPLandroidx/compose/ui/text/android/TextLayout;->getLineBaseline(I)F HPLandroidx/compose/ui/text/android/TextLayout;->getLineCount()I @@ -10528,11 +10539,11 @@ HPLandroidx/compose/ui/text/android/TextLayout$layoutHelper$2;->(Landroidx Landroidx/compose/ui/text/android/TextLayoutKt; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->()V HSPLandroidx/compose/ui/text/android/TextLayoutKt;->VerticalPaddings(II)J -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J +HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; +HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getSharedTextAndroidCanvas$p()Landroidx/compose/ui/text/android/TextAndroidCanvas; -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J +HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; @@ -10548,7 +10559,7 @@ Landroidx/compose/ui/text/android/style/IndentationFixSpanKt; HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F -HSPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F +HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F Landroidx/compose/ui/text/android/style/LetterSpacingSpanEm; Landroidx/compose/ui/text/android/style/LetterSpacingSpanPx; Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; @@ -10556,8 +10567,8 @@ HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->()V HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->(FIIZZF)V HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->calculateTargetMetrics(Landroid/graphics/Paint$FontMetricsInt;)V HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->chooseHeight(Ljava/lang/CharSequence;IIIILandroid/graphics/Paint$FontMetricsInt;)V -HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getFirstAscentDiff()I -HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getLastDescentDiff()I +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getFirstAscentDiff()I +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getLastDescentDiff()I Landroidx/compose/ui/text/android/style/LineHeightStyleSpanKt; HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpanKt;->lineHeight(Landroid/graphics/Paint$FontMetricsInt;)I Landroidx/compose/ui/text/android/style/PlaceholderSpan; @@ -10581,11 +10592,11 @@ HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->(IILkotlin/jvm/intern Landroidx/compose/ui/text/font/AndroidFontLoader; HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->()V HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->(Landroid/content/Context;)V -HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->getCacheKey()Ljava/lang/Object; +HPLandroidx/compose/ui/text/font/AndroidFontLoader;->getCacheKey()Ljava/lang/Object; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->()V HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->(I)V -HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; +HPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt; HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt;->AndroidFontResolveInterceptor(Landroid/content/Context;)Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; Landroidx/compose/ui/text/font/AsyncTypefaceCache; @@ -10649,7 +10660,7 @@ Landroidx/compose/ui/text/font/FontStyle; HSPLandroidx/compose/ui/text/font/FontStyle;->()V HPLandroidx/compose/ui/text/font/FontStyle;->(I)V HSPLandroidx/compose/ui/text/font/FontStyle;->access$getItalic$cp()I -HSPLandroidx/compose/ui/text/font/FontStyle;->access$getNormal$cp()I +HPLandroidx/compose/ui/text/font/FontStyle;->access$getNormal$cp()I HPLandroidx/compose/ui/text/font/FontStyle;->box-impl(I)Landroidx/compose/ui/text/font/FontStyle; HSPLandroidx/compose/ui/text/font/FontStyle;->constructor-impl(I)I HSPLandroidx/compose/ui/text/font/FontStyle;->equals-impl0(II)Z @@ -10659,11 +10670,11 @@ Landroidx/compose/ui/text/font/FontStyle$Companion; HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->()V HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->getItalic-_-LCdwA()I -HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->getNormal-_-LCdwA()I +HPLandroidx/compose/ui/text/font/FontStyle$Companion;->getNormal-_-LCdwA()I Landroidx/compose/ui/text/font/FontSynthesis; HSPLandroidx/compose/ui/text/font/FontSynthesis;->()V HPLandroidx/compose/ui/text/font/FontSynthesis;->(I)V -HSPLandroidx/compose/ui/text/font/FontSynthesis;->access$getAll$cp()I +HPLandroidx/compose/ui/text/font/FontSynthesis;->access$getAll$cp()I HPLandroidx/compose/ui/text/font/FontSynthesis;->box-impl(I)Landroidx/compose/ui/text/font/FontSynthesis; HSPLandroidx/compose/ui/text/font/FontSynthesis;->constructor-impl(I)I HSPLandroidx/compose/ui/text/font/FontSynthesis;->equals-impl0(II)Z @@ -10672,7 +10683,7 @@ HPLandroidx/compose/ui/text/font/FontSynthesis;->unbox-impl()I Landroidx/compose/ui/text/font/FontSynthesis$Companion; HSPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->()V HSPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->getAll-GVVA2EU()I +HPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->getAll-GVVA2EU()I Landroidx/compose/ui/text/font/FontWeight; HSPLandroidx/compose/ui/text/font/FontWeight;->()V HSPLandroidx/compose/ui/text/font/FontWeight;->(I)V @@ -10721,7 +10732,7 @@ HSPLandroidx/compose/ui/text/font/SystemFontFamily;->(Lkotlin/jvm/internal Landroidx/compose/ui/text/font/TypefaceRequest; HSPLandroidx/compose/ui/text/font/TypefaceRequest;->()V HPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;)V -HSPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/font/TypefaceRequest;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontFamily()Landroidx/compose/ui/text/font/FontFamily; HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontStyle-_-LCdwA()I @@ -10739,7 +10750,7 @@ HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->()V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/Object;Z)V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/Object;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getCacheable()Z -HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getValue()Ljava/lang/Object; +HPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getValue()Ljava/lang/Object; Landroidx/compose/ui/text/input/CursorAnchorInfoController; HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->()V HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->(Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;)V @@ -10862,13 +10873,13 @@ HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt$NoopSpan$ Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics; HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/text/font/FontFamily$Resolver;Landroidx/compose/ui/unit/Density;)V -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getCharSequence$ui_text_release()Ljava/lang/CharSequence; -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getFontFamilyResolver()Landroidx/compose/ui/text/font/FontFamily$Resolver; +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getCharSequence$ui_text_release()Ljava/lang/CharSequence; +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getFontFamilyResolver()Landroidx/compose/ui/text/font/FontFamily$Resolver; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getHasStaleResolvedFonts()Z -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getLayoutIntrinsics$ui_text_release()Landroidx/compose/ui/text/android/LayoutIntrinsics; +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getLayoutIntrinsics$ui_text_release()Landroidx/compose/ui/text/android/LayoutIntrinsics; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getMaxIntrinsicWidth()F HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getStyle()Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getTextDirectionHeuristic$ui_text_release()I +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getTextDirectionHeuristic$ui_text_release()I HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getTextPaint$ui_text_release()Landroidx/compose/ui/text/platform/AndroidTextPaint; Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics$resolveTypeface$1; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics$resolveTypeface$1;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;)V @@ -10921,11 +10932,11 @@ Landroidx/compose/ui/text/platform/URLSpanCache; HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V Landroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt; -HSPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt; HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->flattenFontStylesAndApply(Landroidx/compose/ui/text/SpanStyle;Ljava/util/List;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->hasFontAttributes(Landroidx/compose/ui/text/TextStyle;)Z -HSPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->isNonLinearFontScalingActive(Landroidx/compose/ui/unit/Density;)Z +HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->isNonLinearFontScalingActive(Landroidx/compose/ui/unit/Density;)Z HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->resolveLineHeightInPx-o2QH7mI(JFLandroidx/compose/ui/unit/Density;)F HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setFontAttributes(Landroid/text/Spannable;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Lkotlin/jvm/functions/Function4;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setLineHeight-KmRG4DE(Landroid/text/Spannable;JFLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/style/LineHeightStyle;)V @@ -10946,8 +10957,8 @@ HPLandroidx/compose/ui/text/style/BaselineShift;->(F)V HPLandroidx/compose/ui/text/style/BaselineShift;->access$getNone$cp()F HPLandroidx/compose/ui/text/style/BaselineShift;->box-impl(F)Landroidx/compose/ui/text/style/BaselineShift; HSPLandroidx/compose/ui/text/style/BaselineShift;->constructor-impl(F)F -HSPLandroidx/compose/ui/text/style/BaselineShift;->equals-impl0(FF)Z -HSPLandroidx/compose/ui/text/style/BaselineShift;->unbox-impl()F +HPLandroidx/compose/ui/text/style/BaselineShift;->equals-impl0(FF)Z +HPLandroidx/compose/ui/text/style/BaselineShift;->unbox-impl()F Landroidx/compose/ui/text/style/BaselineShift$Companion; HSPLandroidx/compose/ui/text/style/BaselineShift$Companion;->()V HSPLandroidx/compose/ui/text/style/BaselineShift$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10962,7 +10973,7 @@ HSPLandroidx/compose/ui/text/style/ColorStyle;->getBrush()Landroidx/compose/ui/g HPLandroidx/compose/ui/text/style/ColorStyle;->getColor-0d7_KjU()J Landroidx/compose/ui/text/style/Hyphens; HSPLandroidx/compose/ui/text/style/Hyphens;->()V -HSPLandroidx/compose/ui/text/style/Hyphens;->access$getAuto$cp()I +HPLandroidx/compose/ui/text/style/Hyphens;->access$getAuto$cp()I HPLandroidx/compose/ui/text/style/Hyphens;->access$getNone$cp()I HPLandroidx/compose/ui/text/style/Hyphens;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/Hyphens;->constructor-impl(I)I @@ -10970,12 +10981,12 @@ HSPLandroidx/compose/ui/text/style/Hyphens;->equals-impl0(II)Z Landroidx/compose/ui/text/style/Hyphens$Companion; HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->()V HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->getAuto-vmbZdU8()I +HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getAuto-vmbZdU8()I HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getNone-vmbZdU8()I HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getUnspecified-vmbZdU8()I Landroidx/compose/ui/text/style/LineBreak; HSPLandroidx/compose/ui/text/style/LineBreak;->()V -HSPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I +HPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I HPLandroidx/compose/ui/text/style/LineBreak;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/LineBreak;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak;->equals-impl0(II)Z @@ -10985,13 +10996,13 @@ HPLandroidx/compose/ui/text/style/LineBreak;->getWordBreak-jp8hJ3c(I)I Landroidx/compose/ui/text/style/LineBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I +HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getUnspecified-rAG3T2k()I Landroidx/compose/ui/text/style/LineBreak$Strategy; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getBalanced$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getHighQuality$cp()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getSimple$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getSimple$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->equals-impl0(II)Z Landroidx/compose/ui/text/style/LineBreak$Strategy$Companion; @@ -10999,38 +11010,38 @@ HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getBalanced-fcGXIks()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getHighQuality-fcGXIks()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getSimple-fcGXIks()I +HPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getSimple-fcGXIks()I Landroidx/compose/ui/text/style/LineBreak$Strictness; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->()V -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getDefault$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getLoose$cp()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getNormal$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getNormal$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getStrict$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->equals-impl0(II)Z Landroidx/compose/ui/text/style/LineBreak$Strictness$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getDefault-usljTpc()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getLoose-usljTpc()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getNormal-usljTpc()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getDefault-usljTpc()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getLoose-usljTpc()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getNormal-usljTpc()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getStrict-usljTpc()I Landroidx/compose/ui/text/style/LineBreak$WordBreak; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->()V -HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getDefault$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getPhrase$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->equals-impl0(II)Z Landroidx/compose/ui/text/style/LineBreak$WordBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->getDefault-jp8hJ3c()I +HPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->getDefault-jp8hJ3c()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->getPhrase-jp8hJ3c()I Landroidx/compose/ui/text/style/LineBreak_androidKt; HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$packBytes(III)I -HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte1(I)I -HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte2(I)I -HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte3(I)I +HPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte1(I)I +HPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte2(I)I +HPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte3(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->packBytes(III)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte1(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte2(I)I @@ -11040,7 +11051,7 @@ HSPLandroidx/compose/ui/text/style/LineHeightStyle;->()V HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FI)V HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/LineHeightStyle;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/text/style/LineHeightStyle;->getAlignment-PIaL0Z0()F +HPLandroidx/compose/ui/text/style/LineHeightStyle;->getAlignment-PIaL0Z0()F HPLandroidx/compose/ui/text/style/LineHeightStyle;->getTrim-EVpEnUU()I Landroidx/compose/ui/text/style/LineHeightStyle$Alignment; HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->()V @@ -11069,10 +11080,10 @@ HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getBoth-EVpE HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getNone-EVpEnUU()I Landroidx/compose/ui/text/style/TextAlign; HSPLandroidx/compose/ui/text/style/TextAlign;->()V -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getCenter$cp()I -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getJustify$cp()I -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getLeft$cp()I -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getRight$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getCenter$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getJustify$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getLeft$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getRight$cp()I HPLandroidx/compose/ui/text/style/TextAlign;->access$getStart$cp()I HPLandroidx/compose/ui/text/style/TextAlign;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->constructor-impl(I)I @@ -11080,28 +11091,28 @@ HSPLandroidx/compose/ui/text/style/TextAlign;->equals-impl0(II)Z Landroidx/compose/ui/text/style/TextAlign$Companion; HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->()V HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getCenter-e0LSkKk()I -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getJustify-e0LSkKk()I -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getLeft-e0LSkKk()I -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getRight-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getCenter-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getJustify-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getLeft-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getRight-e0LSkKk()I HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getStart-e0LSkKk()I HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getUnspecified-e0LSkKk()I Landroidx/compose/ui/text/style/TextDecoration; HSPLandroidx/compose/ui/text/style/TextDecoration;->()V HSPLandroidx/compose/ui/text/style/TextDecoration;->(I)V HPLandroidx/compose/ui/text/style/TextDecoration;->access$getNone$cp()Landroidx/compose/ui/text/style/TextDecoration; -HSPLandroidx/compose/ui/text/style/TextDecoration;->access$getUnderline$cp()Landroidx/compose/ui/text/style/TextDecoration; +HPLandroidx/compose/ui/text/style/TextDecoration;->access$getUnderline$cp()Landroidx/compose/ui/text/style/TextDecoration; HPLandroidx/compose/ui/text/style/TextDecoration;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/text/style/TextDecoration$Companion; HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->()V HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getNone()Landroidx/compose/ui/text/style/TextDecoration; -HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getUnderline()Landroidx/compose/ui/text/style/TextDecoration; +HPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getUnderline()Landroidx/compose/ui/text/style/TextDecoration; Landroidx/compose/ui/text/style/TextDirection; HSPLandroidx/compose/ui/text/style/TextDirection;->()V -HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContent$cp()I -HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrLtr$cp()I -HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrRtl$cp()I +HPLandroidx/compose/ui/text/style/TextDirection;->access$getContent$cp()I +HPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrLtr$cp()I +HPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrRtl$cp()I HPLandroidx/compose/ui/text/style/TextDirection;->access$getLtr$cp()I HPLandroidx/compose/ui/text/style/TextDirection;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->constructor-impl(I)I @@ -11110,8 +11121,8 @@ Landroidx/compose/ui/text/style/TextDirection$Companion; HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->()V HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContent-s_7X-co()I -HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrLtr-s_7X-co()I -HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrRtl-s_7X-co()I +HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrLtr-s_7X-co()I +HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrRtl-s_7X-co()I HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getLtr-s_7X-co()I HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getUnspecified-s_7X-co()I Landroidx/compose/ui/text/style/TextForegroundStyle; @@ -11148,7 +11159,7 @@ HSPLandroidx/compose/ui/text/style/TextIndent;->(JJILkotlin/jvm/internal/D HSPLandroidx/compose/ui/text/style/TextIndent;->(JJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/style/TextIndent;->access$getNone$cp()Landroidx/compose/ui/text/style/TextIndent; HSPLandroidx/compose/ui/text/style/TextIndent;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/text/style/TextIndent;->getFirstLine-XSAIIZE()J +HPLandroidx/compose/ui/text/style/TextIndent;->getFirstLine-XSAIIZE()J HSPLandroidx/compose/ui/text/style/TextIndent;->getRestLine-XSAIIZE()J Landroidx/compose/ui/text/style/TextIndent$Companion; HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->()V @@ -11158,28 +11169,28 @@ Landroidx/compose/ui/text/style/TextMotion; HSPLandroidx/compose/ui/text/style/TextMotion;->()V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZ)V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZLkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextMotion;->access$getStatic$cp()Landroidx/compose/ui/text/style/TextMotion; -HSPLandroidx/compose/ui/text/style/TextMotion;->getLinearity-4e0Vf04$ui_text_release()I -HSPLandroidx/compose/ui/text/style/TextMotion;->getSubpixelTextPositioning$ui_text_release()Z +HPLandroidx/compose/ui/text/style/TextMotion;->access$getStatic$cp()Landroidx/compose/ui/text/style/TextMotion; +HPLandroidx/compose/ui/text/style/TextMotion;->getLinearity-4e0Vf04$ui_text_release()I +HPLandroidx/compose/ui/text/style/TextMotion;->getSubpixelTextPositioning$ui_text_release()Z Landroidx/compose/ui/text/style/TextMotion$Companion; HSPLandroidx/compose/ui/text/style/TextMotion$Companion;->()V HSPLandroidx/compose/ui/text/style/TextMotion$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextMotion$Companion;->getStatic()Landroidx/compose/ui/text/style/TextMotion; +HPLandroidx/compose/ui/text/style/TextMotion$Companion;->getStatic()Landroidx/compose/ui/text/style/TextMotion; Landroidx/compose/ui/text/style/TextMotion$Linearity; HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->()V -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getFontHinting$cp()I -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getLinear$cp()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getFontHinting$cp()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getLinear$cp()I HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->equals-impl0(II)Z Landroidx/compose/ui/text/style/TextMotion$Linearity$Companion; HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->()V HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getFontHinting-4e0Vf04()I -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getLinear-4e0Vf04()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getFontHinting-4e0Vf04()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getLinear-4e0Vf04()I Landroidx/compose/ui/text/style/TextOverflow; HSPLandroidx/compose/ui/text/style/TextOverflow;->()V HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getClip$cp()I -HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getEllipsis$cp()I +HPLandroidx/compose/ui/text/style/TextOverflow;->access$getEllipsis$cp()I HPLandroidx/compose/ui/text/style/TextOverflow;->access$getVisible$cp()I HSPLandroidx/compose/ui/text/style/TextOverflow;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/TextOverflow;->equals-impl0(II)Z @@ -11187,7 +11198,7 @@ Landroidx/compose/ui/text/style/TextOverflow$Companion; HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->()V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getClip-gIe3tQ8()I -HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getEllipsis-gIe3tQ8()I +HPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getEllipsis-gIe3tQ8()I HPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getVisible-gIe3tQ8()I Landroidx/compose/ui/unit/AndroidDensity_androidKt; HSPLandroidx/compose/ui/unit/AndroidDensity_androidKt;->Density(Landroid/content/Context;)Landroidx/compose/ui/unit/Density; @@ -11199,7 +11210,7 @@ HPLandroidx/compose/ui/unit/Constraints;->box-impl(J)Landroidx/compose/ui/unit/C HPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA$default(JIIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA(JIIII)J -HPLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z +PLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl0(JJ)Z HPLandroidx/compose/ui/unit/Constraints;->getFocusIndex-impl(J)I @@ -11245,13 +11256,13 @@ HSPLandroidx/compose/ui/unit/DensityKt;->Density$default(FFILjava/lang/Object;)L HSPLandroidx/compose/ui/unit/DensityKt;->Density(FF)Landroidx/compose/ui/unit/Density; Landroidx/compose/ui/unit/DensityWithConverter; HSPLandroidx/compose/ui/unit/DensityWithConverter;->(FFLandroidx/compose/ui/unit/fontscaling/FontScaleConverter;)V -HSPLandroidx/compose/ui/unit/DensityWithConverter;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/DensityWithConverter;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/DensityWithConverter;->getDensity()F HPLandroidx/compose/ui/unit/DensityWithConverter;->getFontScale()F Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->()V HPLandroidx/compose/ui/unit/Dp;->(F)V -HSPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F +HPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F HPLandroidx/compose/ui/unit/Dp;->box-impl(F)Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I HSPLandroidx/compose/ui/unit/Dp;->constructor-impl(F)F @@ -11308,7 +11319,7 @@ HPLandroidx/compose/ui/unit/IntOffsetKt;->IntOffset(II)J HSPLandroidx/compose/ui/unit/IntOffsetKt;->plus-Nv-tHpc(JJ)J Landroidx/compose/ui/unit/IntSize; HSPLandroidx/compose/ui/unit/IntSize;->()V -HPLandroidx/compose/ui/unit/IntSize;->(J)V +HSPLandroidx/compose/ui/unit/IntSize;->(J)V HPLandroidx/compose/ui/unit/IntSize;->access$getZero$cp()J HSPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; HPLandroidx/compose/ui/unit/IntSize;->constructor-impl(J)J @@ -11443,9 +11454,9 @@ Landroidx/core/content/OnTrimMemoryProvider; Landroidx/core/graphics/Insets; HSPLandroidx/core/graphics/Insets;->()V HPLandroidx/core/graphics/Insets;->(IIII)V -HPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z +HSPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z HSPLandroidx/core/graphics/Insets;->of(IIII)Landroidx/core/graphics/Insets; -HPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; +HSPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; Landroidx/core/graphics/drawable/TintAwareDrawable; Landroidx/core/os/HandlerCompat; HSPLandroidx/core/os/HandlerCompat;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; @@ -11458,24 +11469,25 @@ HSPLandroidx/core/os/LocaleListCompat;->create([Ljava/util/Locale;)Landroidx/cor HSPLandroidx/core/os/LocaleListCompat;->forLanguageTags(Ljava/lang/String;)Landroidx/core/os/LocaleListCompat; HSPLandroidx/core/os/LocaleListCompat;->wrap(Landroid/os/LocaleList;)Landroidx/core/os/LocaleListCompat; Landroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0; -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)V PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;I)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Z)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;F)Z -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;I)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;Z)Z -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;)I -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$8(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;)I +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;)Z +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;I)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;)F +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$6(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$7(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$8(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$9(Landroid/graphics/RenderNode;F)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)F HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)I HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Landroid/graphics/RecordingCanvas; -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;IIII)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)V +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Outline;)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Z)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Ljava/lang/String;)Landroid/graphics/RenderNode; @@ -11487,13 +11499,11 @@ HSPLandroidx/core/os/LocaleListCompat$Api24Impl;->createLocaleList([Ljava/util/L Landroidx/core/os/LocaleListInterface; Landroidx/core/os/LocaleListPlatformWrapper; HSPLandroidx/core/os/LocaleListPlatformWrapper;->(Ljava/lang/Object;)V -Landroidx/core/os/TraceCompat; -HSPLandroidx/core/os/TraceCompat;->()V -HSPLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V -HSPLandroidx/core/os/TraceCompat;->endSection()V -Landroidx/core/os/TraceCompat$Api18Impl; -HSPLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V -HSPLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V +PLandroidx/core/os/TraceCompat;->()V +PLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V +PLandroidx/core/os/TraceCompat;->endSection()V +PLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V +PLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V PLandroidx/core/util/ObjectsCompat;->requireNonNull(Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/Object; Landroidx/core/util/Preconditions; HSPLandroidx/core/util/Preconditions;->checkNotNull(Ljava/lang/Object;)Ljava/lang/Object; @@ -11629,7 +11639,7 @@ Landroidx/core/view/WindowInsetsCompat$Impl30; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->()V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->(Landroidx/core/view/WindowInsetsCompat;Landroid/view/WindowInsets;)V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->copyRootViewBounds(Landroid/view/View;)V -HPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; +HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsetsIgnoringVisibility(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z Landroidx/core/view/WindowInsetsCompat$Type; @@ -11701,15 +11711,16 @@ PLandroidx/datastore/core/DataStoreImpl;->()V PLandroidx/datastore/core/DataStoreImpl;->(Landroidx/datastore/core/Storage;Ljava/util/List;Landroidx/datastore/core/CorruptionHandler;Lkotlinx/coroutines/CoroutineScope;)V PLandroidx/datastore/core/DataStoreImpl;->access$getCoordinator(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/DataStoreImpl;->access$getInMemoryCache$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/DataStoreInMemoryCache; -PLandroidx/datastore/core/DataStoreImpl;->access$getScope$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/CoroutineScope; +PLandroidx/datastore/core/DataStoreImpl;->access$getInternalDataFlow$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/flow/Flow; +PLandroidx/datastore/core/DataStoreImpl;->access$getReadAndInit$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/DataStoreImpl$InitDataStore; PLandroidx/datastore/core/DataStoreImpl;->access$getStorage$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/Storage; -PLandroidx/datastore/core/DataStoreImpl;->access$getUpdateCollector$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/Job; +PLandroidx/datastore/core/DataStoreImpl;->access$getUpdateCollection$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/flow/SharedFlow; +PLandroidx/datastore/core/DataStoreImpl;->access$getWriteActor$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/SimpleActor; PLandroidx/datastore/core/DataStoreImpl;->access$handleUpdate(Landroidx/datastore/core/DataStoreImpl;Landroidx/datastore/core/Message$Update;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->access$readAndInitOrPropagateAndThrowFailure(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->access$readDataAndUpdateCache(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl;->access$readDataFromFileOrDefault(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl;->access$readDataOrHandleCorruption(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->access$readState(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl;->access$setUpdateCollector$p(Landroidx/datastore/core/DataStoreImpl;Lkotlinx/coroutines/Job;)V PLandroidx/datastore/core/DataStoreImpl;->getCoordinator()Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/DataStoreImpl;->getData()Lkotlinx/coroutines/flow/Flow; PLandroidx/datastore/core/DataStoreImpl;->getStorageConnection$datastore_core_release()Landroidx/datastore/core/StorageConnection; @@ -11717,6 +11728,7 @@ PLandroidx/datastore/core/DataStoreImpl;->handleUpdate(Landroidx/datastore/core/ PLandroidx/datastore/core/DataStoreImpl;->readAndInitOrPropagateAndThrowFailure(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->readDataAndUpdateCache(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->readDataFromFileOrDefault(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl;->readDataOrHandleCorruption(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->readState(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->transformAndWrite(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->updateData(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -11725,16 +11737,10 @@ PLandroidx/datastore/core/DataStoreImpl$Companion;->()V PLandroidx/datastore/core/DataStoreImpl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->(Landroidx/datastore/core/DataStoreImpl;Ljava/util/List;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->access$getInitTasks$p(Landroidx/datastore/core/DataStoreImpl$InitDataStore;)Ljava/util/List; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->access$readDataOrHandleCorruption(Landroidx/datastore/core/DataStoreImpl$InitDataStore;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->access$setInitTasks$p(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Ljava/util/List;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->doRun(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->readDataOrHandleCorruption(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Lkotlin/coroutines/Continuation;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2$1;->(Landroidx/datastore/core/DataStoreImpl;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->(Landroidx/datastore/core/DataStoreImpl;Landroidx/datastore/core/DataStoreImpl$InitDataStore;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -11742,33 +11748,78 @@ PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->invokeS PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1;->(Lkotlinx/coroutines/sync/Mutex;Lkotlin/jvm/internal/Ref$BooleanRef;Lkotlin/jvm/internal/Ref$ObjectRef;Landroidx/datastore/core/DataStoreImpl;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1;->updateData(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1$updateData$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1;Lkotlin/coroutines/Continuation;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$readDataOrHandleCorruption$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$coordinator$2;->(Landroidx/datastore/core/DataStoreImpl;)V PLandroidx/datastore/core/DataStoreImpl$coordinator$2;->invoke()Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/DataStoreImpl$coordinator$2;->invoke()Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$data$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$data$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$data$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$data$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1;->invoke(Lkotlinx/coroutines/channels/ProducerScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$data$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->(Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->(Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$3;->(Lkotlinx/coroutines/channels/ProducerScope;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$3;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1$1;->()V +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1$1;->()V PLandroidx/datastore/core/DataStoreImpl$handleUpdate$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$handleUpdate$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->(Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->invoke(Landroidx/datastore/core/State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->(Landroidx/datastore/core/State;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->invoke(Landroidx/datastore/core/State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$invokeSuspend$$inlined$map$1;->(Lkotlinx/coroutines/flow/Flow;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$invokeSuspend$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$invokeSuspend$$inlined$map$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V PLandroidx/datastore/core/DataStoreImpl$readAndInitOrPropagateAndThrowFailure$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$readDataAndUpdateCache$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$readDataOrHandleCorruption$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$readState$2;->(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$readState$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$readState$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$storageConnection$2;->(Landroidx/datastore/core/DataStoreImpl;)V -PLandroidx/datastore/core/DataStoreImpl$storageConnection$2;->invoke()Landroidx/datastore/core/StorageConnection; -PLandroidx/datastore/core/DataStoreImpl$storageConnection$2;->invoke()Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$storageConnectionDelegate$1;->(Landroidx/datastore/core/DataStoreImpl;)V +PLandroidx/datastore/core/DataStoreImpl$storageConnectionDelegate$1;->invoke()Landroidx/datastore/core/StorageConnection; +PLandroidx/datastore/core/DataStoreImpl$storageConnectionDelegate$1;->invoke()Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->(Lkotlin/jvm/functions/Function2;Landroidx/datastore/core/Data;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1$1;->(Landroidx/datastore/core/DataStoreImpl;)V +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$writeActor$1;->(Landroidx/datastore/core/DataStoreImpl;)V PLandroidx/datastore/core/DataStoreImpl$writeActor$2;->()V PLandroidx/datastore/core/DataStoreImpl$writeActor$2;->()V @@ -11785,6 +11836,7 @@ PLandroidx/datastore/core/DataStoreImpl$writeData$2;->invoke(Ljava/lang/Object;L PLandroidx/datastore/core/DataStoreImpl$writeData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreInMemoryCache;->()V PLandroidx/datastore/core/DataStoreInMemoryCache;->getCurrentState()Landroidx/datastore/core/State; +PLandroidx/datastore/core/DataStoreInMemoryCache;->getFlow()Lkotlinx/coroutines/flow/Flow; PLandroidx/datastore/core/DataStoreInMemoryCache;->tryUpdate(Landroidx/datastore/core/State;)Landroidx/datastore/core/State; PLandroidx/datastore/core/InterProcessCoordinatorKt;->createSingleProcessCoordinator(Ljava/lang/String;)Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/Message;->()V @@ -11794,6 +11846,7 @@ PLandroidx/datastore/core/Message$Update;->getAck()Lkotlinx/coroutines/Completab PLandroidx/datastore/core/Message$Update;->getCallerContext()Lkotlin/coroutines/CoroutineContext; PLandroidx/datastore/core/Message$Update;->getTransform()Lkotlin/jvm/functions/Function2; PLandroidx/datastore/core/RunOnce;->()V +PLandroidx/datastore/core/RunOnce;->awaitComplete(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/RunOnce;->runIfNeeded(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/RunOnce$runIfNeeded$1;->(Landroidx/datastore/core/RunOnce;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/SimpleActor;->(Lkotlinx/coroutines/CoroutineScope;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;)V @@ -11828,6 +11881,15 @@ PLandroidx/datastore/core/StorageConnectionKt$readData$2;->invoke(Ljava/lang/Obj PLandroidx/datastore/core/StorageConnectionKt$readData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/UnInitialized;->()V PLandroidx/datastore/core/UnInitialized;->()V +PLandroidx/datastore/core/UpdatingDataContextElement;->()V +PLandroidx/datastore/core/UpdatingDataContextElement;->(Landroidx/datastore/core/UpdatingDataContextElement;Landroidx/datastore/core/DataStoreImpl;)V +PLandroidx/datastore/core/UpdatingDataContextElement;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; +PLandroidx/datastore/core/UpdatingDataContextElement;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; +PLandroidx/datastore/core/UpdatingDataContextElement;->getKey()Lkotlin/coroutines/CoroutineContext$Key; +PLandroidx/datastore/core/UpdatingDataContextElement$Companion;->()V +PLandroidx/datastore/core/UpdatingDataContextElement$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/datastore/core/UpdatingDataContextElement$Companion$Key;->()V +PLandroidx/datastore/core/UpdatingDataContextElement$Companion$Key;->()V PLandroidx/datastore/core/handlers/NoOpCorruptionHandler;->()V PLandroidx/datastore/core/okio/AtomicBoolean;->(Z)V PLandroidx/datastore/core/okio/AtomicBoolean;->get()Z @@ -12243,12 +12305,11 @@ PLandroidx/datastore/preferences/protobuf/WireFormat$JavaType;->values()[Landroi PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->()V PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->(Ljava/lang/String;I)V Landroidx/emoji2/text/ConcurrencyHelpers; -HSPLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; -HSPLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; +PLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; +PLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; HSPLandroidx/emoji2/text/ConcurrencyHelpers;->mainHandlerAsync()Landroid/os/Handler; -Landroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0; -HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->(Ljava/lang/String;)V -HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; +PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda1;->(Ljava/lang/String;)V +PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda1;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; Landroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl; HSPLandroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; PLandroidx/emoji2/text/DefaultEmojiCompatConfig;->create(Landroid/content/Context;)Landroidx/emoji2/text/FontRequestEmojiCompatConfig; @@ -12272,19 +12333,18 @@ HSPLandroidx/emoji2/text/EmojiCompat;->get()Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->getLoadState()I HSPLandroidx/emoji2/text/EmojiCompat;->init(Landroidx/emoji2/text/EmojiCompat$Config;)Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->isConfigured()Z -HSPLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z -HSPLandroidx/emoji2/text/EmojiCompat;->load()V +PLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z +PLandroidx/emoji2/text/EmojiCompat;->load()V HSPLandroidx/emoji2/text/EmojiCompat;->loadMetadata()V -HSPLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V +PLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V HSPLandroidx/emoji2/text/EmojiCompat;->registerInitCallback(Landroidx/emoji2/text/EmojiCompat$InitCallback;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal;->(Landroidx/emoji2/text/EmojiCompat;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal19; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->(Landroidx/emoji2/text/EmojiCompat;)V -HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V -Landroidx/emoji2/text/EmojiCompat$CompatInternal19$1; -HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V -HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V +PLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V +PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V +PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V Landroidx/emoji2/text/EmojiCompat$Config; HSPLandroidx/emoji2/text/EmojiCompat$Config;->(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader;)V HSPLandroidx/emoji2/text/EmojiCompat$Config;->setMetadataLoadStrategy(I)Landroidx/emoji2/text/EmojiCompat$Config; @@ -12296,8 +12356,7 @@ HSPLandroidx/emoji2/text/EmojiCompat$InitCallback;->()V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->(Ljava/util/Collection;ILjava/lang/Throwable;)V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->run()V Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader; -Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback; -HSPLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V +PLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V Landroidx/emoji2/text/EmojiCompat$SpanFactory; Landroidx/emoji2/text/EmojiCompatInitializer; HSPLandroidx/emoji2/text/EmojiCompatInitializer;->()V @@ -12313,15 +12372,14 @@ Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig;->(Landroid/content/Context;)V Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->(Landroid/content/Context;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V -Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0; -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V Landroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable; HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->()V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V +PLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V Landroidx/fragment/app/FragmentActivity; HSPLandroidx/fragment/app/FragmentActivity;->()V HSPLandroidx/fragment/app/FragmentActivity;->dispatchFragmentsOnCreateView(Landroid/view/View;Ljava/lang/String;Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/view/View; @@ -12699,7 +12757,7 @@ HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->set(Landroid/view/View;Land Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V -HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V @@ -12708,7 +12766,7 @@ HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwne HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/runtime/R$id; Landroidx/lifecycle/viewmodel/CreationExtras; -HSPLandroidx/lifecycle/viewmodel/CreationExtras;->()V +HPLandroidx/lifecycle/viewmodel/CreationExtras;->()V HSPLandroidx/lifecycle/viewmodel/CreationExtras;->getMap$lifecycle_viewmodel_release()Ljava/util/Map; Landroidx/lifecycle/viewmodel/CreationExtras$Empty; HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V @@ -12808,7 +12866,7 @@ Landroidx/savedstate/Recreator$Companion; HSPLandroidx/savedstate/Recreator$Companion;->()V HSPLandroidx/savedstate/Recreator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/savedstate/SavedStateRegistry; -HSPLandroidx/savedstate/SavedStateRegistry;->$r8$lambda$AUDDdpkzZrJMhBj0r-_9pI-j6hA(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V +HSPLandroidx/savedstate/SavedStateRegistry;->$r8$lambda$eDF1FsaoUa1afQFv2y5LNvCkYm4(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V HSPLandroidx/savedstate/SavedStateRegistry;->()V HSPLandroidx/savedstate/SavedStateRegistry;->()V HSPLandroidx/savedstate/SavedStateRegistry;->consumeRestoredStateForKey(Ljava/lang/String;)Landroid/os/Bundle; @@ -12879,7 +12937,7 @@ HSPLandroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration$Companion;->( HSPLandroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration$Companion;->builder(Landroid/content/Context;)Landroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration$Builder; Landroidx/sqlite/db/SupportSQLiteOpenHelper$Factory; Landroidx/sqlite/db/SupportSQLiteQuery; -PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->$r8$lambda$xWs7VTYEzeAWyi_2-SJixQ1HyKQ(Lkotlin/jvm/functions/Function4;Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; +PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->$r8$lambda$nsMcCVLiqxDRAAOcFblmRGCM9fk(Lkotlin/jvm/functions/Function4;Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->()V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->(Landroid/database/sqlite/SQLiteDatabase;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->beginTransactionNonExclusive()V @@ -12887,7 +12945,7 @@ PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->compileStatement(Ljava/ PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->endTransaction()V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->isDelegate(Landroid/database/sqlite/SQLiteDatabase;)Z PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->query$lambda$0(Lkotlin/jvm/functions/Function4;Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; -HPLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->query(Landroidx/sqlite/db/SupportSQLiteQuery;)Landroid/database/Cursor; +PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->query(Landroidx/sqlite/db/SupportSQLiteQuery;)Landroid/database/Cursor; PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->setTransactionSuccessful()V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase$$ExternalSyntheticLambda1;->(Lkotlin/jvm/functions/Function4;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase$$ExternalSyntheticLambda1;->newCursor(Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; @@ -12940,7 +12998,6 @@ HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->()V HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->create(Landroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration;)Landroidx/sqlite/db/SupportSQLiteOpenHelper; PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->(Landroid/database/sqlite/SQLiteProgram;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindLong(IJ)V -PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindNull(I)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindString(ILjava/lang/String;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->close()V PLandroidx/sqlite/db/framework/FrameworkSQLiteStatement;->(Landroid/database/sqlite/SQLiteStatement;)V @@ -12975,6 +13032,7 @@ Landroidx/tracing/Trace; HSPLandroidx/tracing/Trace;->beginSection(Ljava/lang/String;)V HSPLandroidx/tracing/Trace;->endSection()V HSPLandroidx/tracing/Trace;->isEnabled()Z +HSPLandroidx/tracing/Trace;->truncatedTraceSectionLabel(Ljava/lang/String;)Ljava/lang/String; Landroidx/tracing/TraceApi18Impl; HSPLandroidx/tracing/TraceApi18Impl;->beginSection(Ljava/lang/String;)V HSPLandroidx/tracing/TraceApi18Impl;->endSection()V @@ -13004,6 +13062,7 @@ Landroidx/vectordrawable/graphics/drawable/VectorDrawableCompat; PLandroidx/window/core/Bounds;->(IIII)V PLandroidx/window/core/Bounds;->(Landroid/graphics/Rect;)V PLandroidx/window/core/Bounds;->toRect()Landroid/graphics/Rect; +PLandroidx/window/layout/WindowMetrics;->(Landroid/graphics/Rect;Landroidx/core/view/WindowInsetsCompat;)V PLandroidx/window/layout/WindowMetrics;->(Landroidx/window/core/Bounds;Landroidx/core/view/WindowInsetsCompat;)V PLandroidx/window/layout/WindowMetrics;->getBounds()Landroid/graphics/Rect; PLandroidx/window/layout/WindowMetricsCalculator;->()V @@ -13016,16 +13075,14 @@ PLandroidx/window/layout/WindowMetricsCalculator$Companion$decorator$1;->invoke( PLandroidx/window/layout/WindowMetricsCalculator$Companion$decorator$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/window/layout/WindowMetricsCalculatorCompat;->()V PLandroidx/window/layout/WindowMetricsCalculatorCompat;->()V -PLandroidx/window/layout/WindowMetricsCalculatorCompat;->computeCurrentWindowMetrics(Landroid/app/Activity;)Landroidx/window/layout/WindowMetrics; -PLandroidx/window/layout/WindowMetricsCalculatorCompat;->computeWindowInsetsCompat$window_release(Landroid/content/Context;)Landroidx/core/view/WindowInsetsCompat; +PLandroidx/window/layout/WindowMetricsCalculatorCompat;->computeCurrentWindowMetrics(Landroid/content/Context;)Landroidx/window/layout/WindowMetrics; PLandroidx/window/layout/util/ContextCompatHelperApi30;->()V PLandroidx/window/layout/util/ContextCompatHelperApi30;->()V -PLandroidx/window/layout/util/ContextCompatHelperApi30;->currentWindowBounds(Landroid/content/Context;)Landroid/graphics/Rect; -PLandroidx/window/layout/util/ContextCompatHelperApi30;->currentWindowInsets(Landroid/content/Context;)Landroidx/core/view/WindowInsetsCompat; +PLandroidx/window/layout/util/ContextCompatHelperApi30;->currentWindowMetrics(Landroid/content/Context;)Landroidx/window/layout/WindowMetrics; Lapp/cash/sqldelight/BaseTransacterImpl; HSPLapp/cash/sqldelight/BaseTransacterImpl;->(Lapp/cash/sqldelight/db/SqlDriver;)V HSPLapp/cash/sqldelight/BaseTransacterImpl;->getDriver()Lapp/cash/sqldelight/db/SqlDriver; -PLapp/cash/sqldelight/BaseTransacterImpl;->notifyQueries(ILkotlin/jvm/functions/Function1;)V +HPLapp/cash/sqldelight/BaseTransacterImpl;->notifyQueries(ILkotlin/jvm/functions/Function1;)V PLapp/cash/sqldelight/BaseTransacterImpl;->postTransactionCleanup(Lapp/cash/sqldelight/Transacter$Transaction;Lapp/cash/sqldelight/Transacter$Transaction;Ljava/lang/Throwable;Ljava/lang/Object;)Ljava/lang/Object; PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->(Lapp/cash/sqldelight/Transacter$Transaction;)V PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -13040,7 +13097,7 @@ PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Object;)Ljava/lang/O Lapp/cash/sqldelight/ExecutableQuery; HSPLapp/cash/sqldelight/ExecutableQuery;->(Lkotlin/jvm/functions/Function1;)V HSPLapp/cash/sqldelight/ExecutableQuery;->executeAsOneOrNull()Ljava/lang/Object; -PLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; +HPLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; Lapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1; HSPLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->(Lapp/cash/sqldelight/ExecutableQuery;)V PLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Lapp/cash/sqldelight/db/QueryResult; @@ -13084,7 +13141,7 @@ Lapp/cash/sqldelight/coroutines/FlowQuery; HSPLapp/cash/sqldelight/coroutines/FlowQuery;->mapToList(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/CoroutineContext;)Lkotlinx/coroutines/flow/Flow; HSPLapp/cash/sqldelight/coroutines/FlowQuery;->toFlow(Lapp/cash/sqldelight/Query;)Lkotlinx/coroutines/flow/Flow; Lapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1; -PLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->$r8$lambda$DwKGDn02FLafAATqIqUBejoElM4(Lkotlinx/coroutines/channels/Channel;)V +PLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->$r8$lambda$UowH1OliiH7e420FIyURFFIXBow(Lkotlinx/coroutines/channels/Channel;)V HSPLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->(Lapp/cash/sqldelight/Query;Lkotlin/coroutines/Continuation;)V HSPLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HSPLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -13115,9 +13172,9 @@ PLapp/cash/sqldelight/db/QueryResult$Companion;->getUnit-mlR-ZEE()Ljava/lang/Obj HPLapp/cash/sqldelight/db/QueryResult$Value;->(Ljava/lang/Object;)V PLapp/cash/sqldelight/db/QueryResult$Value;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLapp/cash/sqldelight/db/QueryResult$Value;->await-impl(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; +HPLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; PLapp/cash/sqldelight/db/QueryResult$Value;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HPLapp/cash/sqldelight/db/QueryResult$Value;->getValue()Ljava/lang/Object; +PLapp/cash/sqldelight/db/QueryResult$Value;->getValue()Ljava/lang/Object; Lapp/cash/sqldelight/db/SqlDriver; PLapp/cash/sqldelight/db/SqlDriver$DefaultImpls;->execute$default(Lapp/cash/sqldelight/db/SqlDriver;Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;ILjava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult; Lapp/cash/sqldelight/db/SqlPreparedStatement; @@ -13126,7 +13183,7 @@ PLapp/cash/sqldelight/driver/android/AndroidCursor;->(Landroid/database/Cu HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getString(I)Ljava/lang/String; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; -HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; +PLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->(Landroidx/sqlite/db/SupportSQLiteStatement;)V PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->bindLong(ILjava/lang/Long;)V PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->bindString(ILjava/lang/String;)V @@ -13221,7 +13278,7 @@ PLcoil3/ComponentRegistry;->getMappers()Ljava/util/List; HPLcoil3/ComponentRegistry;->map(Ljava/lang/Object;Lcoil3/request/Options;)Ljava/lang/Object; PLcoil3/ComponentRegistry;->newBuilder()Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry;->newDecoder(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;I)Lkotlin/Pair; -PLcoil3/ComponentRegistry;->newFetcher(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;I)Lkotlin/Pair; +HPLcoil3/ComponentRegistry;->newFetcher(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;I)Lkotlin/Pair; PLcoil3/ComponentRegistry$Builder;->()V PLcoil3/ComponentRegistry$Builder;->(Lcoil3/ComponentRegistry;)V PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/decode/Decoder$Factory;)Lcoil3/ComponentRegistry$Builder; @@ -13263,7 +13320,7 @@ PLcoil3/EventListener;->resolveSizeStart(Lcoil3/request/ImageRequest;)V PLcoil3/EventListener$Companion;->()V PLcoil3/EventListener$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/EventListener$Companion$NONE$1;->()V -PLcoil3/EventListener$Factory;->$r8$lambda$8vxhu_aBIODFtNIDhNt-i_pYSvg(Lcoil3/request/ImageRequest;)Lcoil3/EventListener; +PLcoil3/EventListener$Factory;->$r8$lambda$JrWyPe5ABdBICw-G4OuUEopPIF4(Lcoil3/request/ImageRequest;)Lcoil3/EventListener; PLcoil3/EventListener$Factory;->()V PLcoil3/EventListener$Factory;->NONE$lambda$0(Lcoil3/request/ImageRequest;)Lcoil3/EventListener; PLcoil3/EventListener$Factory$$ExternalSyntheticLambda0;->()V @@ -13272,7 +13329,7 @@ PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/Extras;->()V HPLcoil3/Extras;->(Ljava/util/Map;)V -HPLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras;->access$getData$p(Lcoil3/Extras;)Ljava/util/Map; PLcoil3/Extras;->asMap()Ljava/util/Map; HPLcoil3/Extras;->get(Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -13285,7 +13342,7 @@ PLcoil3/Extras$Companion;->()V PLcoil3/Extras$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras$Key;->()V PLcoil3/Extras$Key;->(Ljava/lang/Object;)V -HPLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; +PLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; PLcoil3/Extras$Key$Companion;->()V PLcoil3/Extras$Key$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLcoil3/ExtrasKt;->getExtra(Lcoil3/request/ImageRequest;Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -13493,23 +13550,27 @@ HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->c PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2$1;->(Lcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;Lkotlin/coroutines/Continuation;)V -PLcoil3/compose/internal/ContentPainterModifier;->()V -HPLcoil3/compose/internal/ContentPainterModifier;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V -HPLcoil3/compose/internal/ContentPainterModifier;->calculateScaledSize-E7KxVPU(J)J -HPLcoil3/compose/internal/ContentPainterModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HPLcoil3/compose/internal/ContentPainterModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -HPLcoil3/compose/internal/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J -PLcoil3/compose/internal/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/internal/ContentPainterElement;->()V +HPLcoil3/compose/internal/ContentPainterElement;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +PLcoil3/compose/internal/ContentPainterElement;->create()Landroidx/compose/ui/Modifier$Node; +HPLcoil3/compose/internal/ContentPainterElement;->create()Lcoil3/compose/internal/ContentPainterNode; +PLcoil3/compose/internal/ContentPainterNode;->()V +HPLcoil3/compose/internal/ContentPainterNode;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HPLcoil3/compose/internal/ContentPainterNode;->calculateScaledSize-E7KxVPU(J)J +HPLcoil3/compose/internal/ContentPainterNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLcoil3/compose/internal/ContentPainterNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLcoil3/compose/internal/ContentPainterNode;->modifyConstraints-ZezNO4M(J)J +PLcoil3/compose/internal/ContentPainterNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +PLcoil3/compose/internal/ContentPainterNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLcoil3/compose/internal/ContentPainterNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/internal/CrossfadePainter;->()V PLcoil3/compose/internal/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V -PLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J +HPLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J HPLcoil3/compose/internal/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J HPLcoil3/compose/internal/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V -PLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; +HPLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; PLcoil3/compose/internal/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J -PLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I +HPLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I PLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F HPLcoil3/compose/internal/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V PLcoil3/compose/internal/CrossfadePainter;->setInvalidateTick(I)V @@ -13556,7 +13617,6 @@ HPLcoil3/decode/StaticImageDecoder;->decode(Lkotlin/coroutines/Continuation;)Lja PLcoil3/decode/StaticImageDecoder$Factory;->(Lkotlinx/coroutines/sync/Semaphore;)V PLcoil3/decode/StaticImageDecoder$Factory;->create(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/decode/Decoder; PLcoil3/decode/StaticImageDecoder$decode$1;->(Lcoil3/decode/StaticImageDecoder;Lkotlin/coroutines/Continuation;)V -PLcoil3/decode/StaticImageDecoder$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/decode/StaticImageDecoder;Lkotlin/jvm/internal/Ref$BooleanRef;)V HPLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->onHeaderDecoded(Landroid/graphics/ImageDecoder;Landroid/graphics/ImageDecoder$ImageInfo;Landroid/graphics/ImageDecoder$Source;)V PLcoil3/decode/StaticImageDecoderKt;->access$imageDecoderSourceOrNull(Lcoil3/decode/ImageSource;Lcoil3/request/Options;)Landroid/graphics/ImageDecoder$Source; @@ -13575,7 +13635,7 @@ PLcoil3/disk/DiskLruCache;->access$getLock$p(Lcoil3/disk/DiskLruCache;)Ljava/lan PLcoil3/disk/DiskLruCache;->access$getValueCount$p(Lcoil3/disk/DiskLruCache;)I PLcoil3/disk/DiskLruCache;->checkNotClosed()V HPLcoil3/disk/DiskLruCache;->completeEdit(Lcoil3/disk/DiskLruCache$Editor;Z)V -HPLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; +PLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; HPLcoil3/disk/DiskLruCache;->get(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache;->initialize()V PLcoil3/disk/DiskLruCache;->journalRewriteRequired()Z @@ -13588,7 +13648,7 @@ PLcoil3/disk/DiskLruCache$Editor;->(Lcoil3/disk/DiskLruCache;Lcoil3/disk/D PLcoil3/disk/DiskLruCache$Editor;->commit()V PLcoil3/disk/DiskLruCache$Editor;->commitAndGet()Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache$Editor;->complete(Z)V -HPLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; +PLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; PLcoil3/disk/DiskLruCache$Editor;->getEntry()Lcoil3/disk/DiskLruCache$Entry; PLcoil3/disk/DiskLruCache$Editor;->getWritten()[Z HPLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V @@ -13644,11 +13704,12 @@ PLcoil3/fetch/SourceFetchResult;->(Lcoil3/decode/ImageSource;Ljava/lang/St PLcoil3/fetch/SourceFetchResult;->getDataSource()Lcoil3/decode/DataSource; PLcoil3/fetch/SourceFetchResult;->getSource()Lcoil3/decode/ImageSource; PLcoil3/intercept/EngineInterceptor;->()V -PLcoil3/intercept/EngineInterceptor;->(Lcoil3/ImageLoader;Lcoil3/request/RequestService;Lcoil3/util/Logger;)V +PLcoil3/intercept/EngineInterceptor;->(Lcoil3/ImageLoader;Lcoil3/util/SystemCallbacks;Lcoil3/request/RequestService;Lcoil3/util/Logger;)V PLcoil3/intercept/EngineInterceptor;->access$decode(Lcoil3/intercept/EngineInterceptor;Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$execute(Lcoil3/intercept/EngineInterceptor;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$fetch(Lcoil3/intercept/EngineInterceptor;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$getMemoryCacheService$p(Lcoil3/intercept/EngineInterceptor;)Lcoil3/memory/MemoryCacheService; +PLcoil3/intercept/EngineInterceptor;->access$getSystemCallbacks$p(Lcoil3/intercept/EngineInterceptor;)Lcoil3/util/SystemCallbacks; HPLcoil3/intercept/EngineInterceptor;->decode(Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->execute(Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->fetch(Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13661,14 +13722,13 @@ PLcoil3/intercept/EngineInterceptor$ExecuteResult;->getDiskCacheKey()Ljava/lang/ PLcoil3/intercept/EngineInterceptor$ExecuteResult;->getImage()Lcoil3/Image; PLcoil3/intercept/EngineInterceptor$ExecuteResult;->isSampled()Z PLcoil3/intercept/EngineInterceptor$decode$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V -PLcoil3/intercept/EngineInterceptor$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$fetch$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$intercept$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V @@ -13717,7 +13777,7 @@ PLcoil3/memory/MemoryCache$Value;->getImage()Lcoil3/Image; PLcoil3/memory/MemoryCacheService;->()V PLcoil3/memory/MemoryCacheService;->(Lcoil3/ImageLoader;Lcoil3/request/RequestService;Lcoil3/util/Logger;)V HPLcoil3/memory/MemoryCacheService;->getCacheValue(Lcoil3/request/ImageRequest;Lcoil3/memory/MemoryCache$Key;Lcoil3/size/Size;Lcoil3/size/Scale;)Lcoil3/memory/MemoryCache$Value; -HPLcoil3/memory/MemoryCacheService;->getDiskCacheKey(Lcoil3/memory/MemoryCache$Value;)Ljava/lang/String; +PLcoil3/memory/MemoryCacheService;->getDiskCacheKey(Lcoil3/memory/MemoryCache$Value;)Ljava/lang/String; PLcoil3/memory/MemoryCacheService;->isCacheValueValid$coil_core_release(Lcoil3/request/ImageRequest;Lcoil3/memory/MemoryCache$Key;Lcoil3/memory/MemoryCache$Value;Lcoil3/size/Size;Lcoil3/size/Scale;)Z HPLcoil3/memory/MemoryCacheService;->isSampled(Lcoil3/memory/MemoryCache$Value;)Z HPLcoil3/memory/MemoryCacheService;->isSizeValid(Lcoil3/request/ImageRequest;Lcoil3/memory/MemoryCache$Key;Lcoil3/memory/MemoryCache$Value;Lcoil3/size/Size;Lcoil3/size/Scale;)Z @@ -13760,18 +13820,18 @@ PLcoil3/network/NetworkFetcher;->access$getUrl$p(Lcoil3/network/NetworkFetcher;) PLcoil3/network/NetworkFetcher;->access$toCacheResponse(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; PLcoil3/network/NetworkFetcher;->access$toImageSource(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; PLcoil3/network/NetworkFetcher;->access$writeToDiskCache(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/network/NetworkFetcher;->executeNetworkRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/NetworkFetcher;->executeNetworkRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/network/NetworkFetcher;->fetch(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/NetworkFetcher;->getDiskCacheKey()Ljava/lang/String; PLcoil3/network/NetworkFetcher;->getFileSystem()Lokio/FileSystem; PLcoil3/network/NetworkFetcher;->getMimeType$coil_network_core_release(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; -PLcoil3/network/NetworkFetcher;->newRequest()Lcoil3/network/NetworkRequest; +HPLcoil3/network/NetworkFetcher;->newRequest()Lcoil3/network/NetworkRequest; PLcoil3/network/NetworkFetcher;->readFromDiskCache()Lcoil3/disk/DiskCache$Snapshot; PLcoil3/network/NetworkFetcher;->toCacheResponse(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; PLcoil3/network/NetworkFetcher;->toImageSource(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; HPLcoil3/network/NetworkFetcher;->writeToDiskCache(Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/NetworkFetcher$Factory;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V -PLcoil3/network/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; +HPLcoil3/network/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; PLcoil3/network/NetworkFetcher$Factory;->create(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; PLcoil3/network/NetworkFetcher$Factory;->isApplicable(Lcoil3/Uri;)Z PLcoil3/network/NetworkFetcher$Factory$create$1;->(Lcoil3/ImageLoader;)V @@ -13800,7 +13860,7 @@ PLcoil3/network/NetworkHeaders;->get(Ljava/lang/String;)Ljava/lang/String; PLcoil3/network/NetworkHeaders;->newBuilder()Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->()V PLcoil3/network/NetworkHeaders$Builder;->(Lcoil3/network/NetworkHeaders;)V -PLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +HPLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->build()Lcoil3/network/NetworkHeaders; PLcoil3/network/NetworkHeaders$Builder;->set(Ljava/lang/String;Ljava/util/List;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Companion;->()V @@ -13851,7 +13911,7 @@ PLcoil3/network/ktor/internal/UtilsKt$writeTo$2;->invokeSuspend(Ljava/lang/Objec PLcoil3/network/ktor/internal/Utils_commonKt;->access$toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->access$toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->takeFrom(Lio/ktor/http/HeadersBuilder;Lcoil3/network/NetworkHeaders;)V -PLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkHeaders(Lio/ktor/http/Headers;)Lcoil3/network/NetworkHeaders; HPLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt$toHttpRequestBuilder$1;->(Lkotlin/coroutines/Continuation;)V @@ -13875,11 +13935,12 @@ HPLcoil3/request/AndroidRequestService;->options(Lcoil3/request/ImageRequest;Lco HPLcoil3/request/AndroidRequestService;->requestDelegate(Lcoil3/request/ImageRequest;Lkotlinx/coroutines/Job;)Lcoil3/request/RequestDelegate; HPLcoil3/request/AndroidRequestService;->resolveExtras(Lcoil3/request/ImageRequest;Lcoil3/size/Size;)Lcoil3/Extras; HPLcoil3/request/AndroidRequestService;->resolveLifecycle(Lcoil3/request/ImageRequest;)Landroidx/lifecycle/Lifecycle; -PLcoil3/request/AndroidRequestService;->resolveNetworkCachePolicy(Lcoil3/request/ImageRequest;)Lcoil3/request/CachePolicy; HPLcoil3/request/AndroidRequestService;->resolveScale(Lcoil3/request/ImageRequest;Lcoil3/size/Size;)Lcoil3/size/Scale; PLcoil3/request/AndroidRequestService;->updateOptionsOnWorkerThread(Lcoil3/request/Options;)Lcoil3/request/Options; PLcoil3/request/BaseRequestDelegate;->(Landroidx/lifecycle/Lifecycle;Lkotlinx/coroutines/Job;)V PLcoil3/request/BaseRequestDelegate;->complete()V +PLcoil3/request/BaseRequestDelegate;->dispose()V +PLcoil3/request/BaseRequestDelegate;->onDestroy(Landroidx/lifecycle/LifecycleOwner;)V PLcoil3/request/BaseRequestDelegate;->start()V PLcoil3/request/CachePolicy;->$values()[Lcoil3/request/CachePolicy; PLcoil3/request/CachePolicy;->()V @@ -13892,7 +13953,7 @@ PLcoil3/request/ImageRequest;->equals(Ljava/lang/Object;)Z HPLcoil3/request/ImageRequest;->getContext()Landroid/content/Context; HPLcoil3/request/ImageRequest;->getData()Ljava/lang/Object; PLcoil3/request/ImageRequest;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -PLcoil3/request/ImageRequest;->getDecoderFactory()Lcoil3/decode/Decoder$Factory; +HPLcoil3/request/ImageRequest;->getDecoderFactory()Lcoil3/decode/Decoder$Factory; HPLcoil3/request/ImageRequest;->getDefaults()Lcoil3/request/ImageRequest$Defaults; HPLcoil3/request/ImageRequest;->getDefined()Lcoil3/request/ImageRequest$Defined; HPLcoil3/request/ImageRequest;->getDiskCacheKey()Ljava/lang/String; @@ -13903,7 +13964,7 @@ PLcoil3/request/ImageRequest;->getFetcherFactory()Lkotlin/Pair; HPLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; PLcoil3/request/ImageRequest;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest;->getListener()Lcoil3/request/ImageRequest$Listener; -PLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; +HPLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; HPLcoil3/request/ImageRequest;->getMemoryCacheKeyExtras()Ljava/util/Map; PLcoil3/request/ImageRequest;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; @@ -13914,7 +13975,7 @@ HPLcoil3/request/ImageRequest;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequest;->getTarget()Lcoil3/target/Target; HPLcoil3/request/ImageRequest;->newBuilder$default(Lcoil3/request/ImageRequest;Landroid/content/Context;ILjava/lang/Object;)Lcoil3/request/ImageRequest$Builder; HPLcoil3/request/ImageRequest;->newBuilder(Landroid/content/Context;)Lcoil3/request/ImageRequest$Builder; -PLcoil3/request/ImageRequest;->placeholder()Lcoil3/Image; +HPLcoil3/request/ImageRequest;->placeholder()Lcoil3/Image; HPLcoil3/request/ImageRequest$Builder;->(Landroid/content/Context;)V HPLcoil3/request/ImageRequest$Builder;->(Lcoil3/request/ImageRequest;Landroid/content/Context;)V HPLcoil3/request/ImageRequest$Builder;->build()Lcoil3/request/ImageRequest; @@ -13937,13 +13998,14 @@ PLcoil3/request/ImageRequest$Defaults;->(Lokio/FileSystem;Lkotlinx/corouti PLcoil3/request/ImageRequest$Defaults;->copy$default(Lcoil3/request/ImageRequest$Defaults;Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;ILjava/lang/Object;)Lcoil3/request/ImageRequest$Defaults; PLcoil3/request/ImageRequest$Defaults;->copy(Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;)Lcoil3/request/ImageRequest$Defaults; HPLcoil3/request/ImageRequest$Defaults;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -PLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getExtras()Lcoil3/Extras; HPLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest$Defaults;->getFileSystem()Lokio/FileSystem; HPLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; -PLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; +PLcoil3/request/ImageRequest$Defaults;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defaults;->getPrecision()Lcoil3/size/Precision; PLcoil3/request/ImageRequest$Defaults$Companion;->()V PLcoil3/request/ImageRequest$Defaults$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13958,8 +14020,8 @@ PLcoil3/request/ImageRequest$Defined;->getMemoryCachePolicy()Lcoil3/request/Cach PLcoil3/request/ImageRequest$Defined;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defined;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defined;->getPrecision()Lcoil3/size/Precision; -HPLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; -HPLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; +PLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; +PLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequestKt;->resolveScale(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/Scale; HPLcoil3/request/ImageRequestKt;->resolveSizeResolver(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/SizeResolver; PLcoil3/request/ImageRequestsKt;->()V @@ -13967,7 +14029,7 @@ PLcoil3/request/ImageRequestsKt;->crossfade(Lcoil3/request/ImageRequest$Builder; HPLcoil3/request/ImageRequestsKt;->getAllowHardware(Lcoil3/request/ImageRequest;)Z HPLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/ImageRequest;)Z PLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/Options;)Z -HPLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; +PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/Options;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getColorSpace(Lcoil3/request/Options;)Landroid/graphics/ColorSpace; PLcoil3/request/ImageRequestsKt;->getPremultipliedAlpha(Lcoil3/request/Options;)Z @@ -13992,7 +14054,7 @@ PLcoil3/request/RequestServiceKt;->RequestService(Lcoil3/ImageLoader;Lcoil3/util HPLcoil3/request/SuccessResult;->(Lcoil3/Image;Lcoil3/request/ImageRequest;Lcoil3/decode/DataSource;Lcoil3/memory/MemoryCache$Key;Ljava/lang/String;ZZ)V PLcoil3/request/SuccessResult;->getDataSource()Lcoil3/decode/DataSource; PLcoil3/request/SuccessResult;->getImage()Lcoil3/Image; -HPLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; +PLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; PLcoil3/request/SuccessResult;->isPlaceholderCached()Z PLcoil3/size/Dimension$Pixels;->(I)V PLcoil3/size/Dimension$Pixels;->equals(Ljava/lang/Object;)Z @@ -14032,10 +14094,10 @@ PLcoil3/transition/Transition$Factory;->()V PLcoil3/transition/Transition$Factory$Companion;->()V PLcoil3/transition/Transition$Factory$Companion;->()V PLcoil3/util/AndroidSystemCallbacks;->()V -PLcoil3/util/AndroidSystemCallbacks;->()V +PLcoil3/util/AndroidSystemCallbacks;->(Lcoil3/RealImageLoader;)V PLcoil3/util/AndroidSystemCallbacks;->isOnline()Z -PLcoil3/util/AndroidSystemCallbacks;->register(Lcoil3/RealImageLoader;)V -PLcoil3/util/AndroidSystemCallbacks;->setOnline(Z)V +PLcoil3/util/AndroidSystemCallbacks;->registerMemoryPressureCallbacks()V +PLcoil3/util/AndroidSystemCallbacks;->registerNetworkObserver()V PLcoil3/util/AndroidSystemCallbacks$Companion;->()V PLcoil3/util/AndroidSystemCallbacks$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/util/BitmapsKt;->getAllocationByteCountCompat(Landroid/graphics/Bitmap;)I @@ -14083,7 +14145,7 @@ PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/lang/Object; PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/util/List; -PLcoil3/util/SystemCallbacksKt;->SystemCallbacks()Lcoil3/util/SystemCallbacks; +PLcoil3/util/SystemCallbacksKt;->SystemCallbacks(Lcoil3/RealImageLoader;)Lcoil3/util/SystemCallbacks; PLcoil3/util/Utils_androidKt;->()V HPLcoil3/util/Utils_androidKt;->getAllowInexactSize(Lcoil3/request/ImageRequest;)Z PLcoil3/util/Utils_androidKt;->getDEFAULT_BITMAP_CONFIG()Landroid/graphics/Bitmap$Config; @@ -14152,12 +14214,12 @@ Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3; -HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->unregister()V Lcom/slack/circuit/backstack/CompositeProvidedValues; HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->()V HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->(Ljava/util/List;)V -HPLcom/slack/circuit/backstack/CompositeProvidedValues;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; Lcom/slack/circuit/backstack/NavDecoration; Lcom/slack/circuit/backstack/NestedRememberObserver; HSPLcom/slack/circuit/backstack/NestedRememberObserver;->(Lkotlin/jvm/functions/Function0;)V @@ -14177,6 +14239,8 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +PLcom/slack/circuit/backstack/SaveableBackStack;->containsRecord(Lcom/slack/circuit/backstack/BackStack$Record;Z)Z +PLcom/slack/circuit/backstack/SaveableBackStack;->containsRecord(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Z)Z HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I HSPLcom/slack/circuit/backstack/SaveableBackStack;->getStateStore$backstack_release()Ljava/util/Map; @@ -14325,20 +14389,20 @@ HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$ HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Lcom/slack/circuit/runtime/CircuitContext; HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt; -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Landroidx/compose/runtime/Composer;I)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Landroidx/compose/runtime/Composer;II)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10; -HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Ljava/lang/Object;II)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Landroidx/compose/runtime/Composer;I)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;)V +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Ljava/lang/Object;)V HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4;->(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;II)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4;->(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;II)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5; HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->(Lcom/slack/circuit/foundation/EventListener;)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; @@ -14431,7 +14495,7 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitConte HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1; -PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->$r8$lambda$OLYvGXvByHk9HzppmdzMrsHHJac(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->$r8$lambda$_sFOl3ShEX3wPsXtWq7eMMTEWRA(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->(Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;)V PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke$lambda$1$lambda$0(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke(Lcom/slack/circuit/foundation/RecordContentProvider;Landroidx/compose/runtime/Composer;I)V @@ -14488,16 +14552,16 @@ HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;- HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V -HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V +HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;)V Lcom/slack/circuit/foundation/NavigatorImplKt; -HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)Lcom/slack/circuit/runtime/Navigator; -HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; -HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function1; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->onBack(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)Lkotlin/jvm/functions/Function0; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;ZLandroidx/compose/runtime/Composer;II)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1; -HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Ljava/lang/Object;)V +HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Landroidx/activity/OnBackPressedDispatcher;)V Lcom/slack/circuit/foundation/Navigator_androidKt$onBack$1; HSPLcom/slack/circuit/foundation/Navigator_androidKt$onBack$1;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)V Lcom/slack/circuit/foundation/RecordContentProvider; @@ -14580,7 +14644,7 @@ HSPLcom/slack/circuit/retained/AndroidContinuityKt$continuityRetainedStateRegist Lcom/slack/circuit/retained/CanRetainChecker; HSPLcom/slack/circuit/retained/CanRetainChecker;->()V Lcom/slack/circuit/retained/CanRetainChecker$Companion; -PLcom/slack/circuit/retained/CanRetainChecker$Companion;->$r8$lambda$oK4CBeCxLhxH9kYxdJUmlEfSbuc(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +PLcom/slack/circuit/retained/CanRetainChecker$Companion;->$r8$lambda$bDOS5Wf1MnHmklyVjhcAdmWKhv4(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HSPLcom/slack/circuit/retained/CanRetainChecker$Companion;->()V HSPLcom/slack/circuit/retained/CanRetainChecker$Companion;->()V PLcom/slack/circuit/retained/CanRetainChecker$Companion;->Always$lambda$0(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z @@ -14597,7 +14661,7 @@ HSPLcom/slack/circuit/retained/CanRetainCheckerKt$LocalCanRetainChecker$1;->invoke()Lcom/slack/circuit/retained/CanRetainChecker; HSPLcom/slack/circuit/retained/CanRetainCheckerKt$LocalCanRetainChecker$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/retained/CanRetainChecker_androidKt; -PLcom/slack/circuit/retained/CanRetainChecker_androidKt;->$r8$lambda$TqTW6u-XfyTAZZvGDk6eEmMB9xE(Landroid/app/Activity;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +PLcom/slack/circuit/retained/CanRetainChecker_androidKt;->$r8$lambda$7QK3W5kJIaQG7-suaGdbNDaLNbg(Landroid/app/Activity;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HSPLcom/slack/circuit/retained/CanRetainChecker_androidKt;->findActivity(Landroid/content/Context;)Landroid/app/Activity; PLcom/slack/circuit/retained/CanRetainChecker_androidKt;->rememberCanRetainChecker$lambda$2$lambda$1(Landroid/app/Activity;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HPLcom/slack/circuit/retained/CanRetainChecker_androidKt;->rememberCanRetainChecker(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/retained/CanRetainChecker; @@ -14611,7 +14675,6 @@ HSPLcom/slack/circuit/retained/ContinuityViewModel;->consumeValue(Ljava/lang/Str HSPLcom/slack/circuit/retained/ContinuityViewModel;->forgetUnclaimedValues()V PLcom/slack/circuit/retained/ContinuityViewModel;->onCleared()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; -PLcom/slack/circuit/retained/ContinuityViewModel;->saveValue(Ljava/lang/String;)V Lcom/slack/circuit/retained/ContinuityViewModel$Factory; HSPLcom/slack/circuit/retained/ContinuityViewModel$Factory;->()V HSPLcom/slack/circuit/retained/ContinuityViewModel$Factory;->()V @@ -14628,29 +14691,31 @@ HSPLcom/slack/circuit/retained/RememberRetainedKt$rememberRetained$1;->(Lc HSPLcom/slack/circuit/retained/RememberRetainedKt$rememberRetained$1;->invoke()Ljava/lang/Object; HSPLcom/slack/circuit/retained/RememberRetainedKt$rememberRetained$1;->invoke()V Lcom/slack/circuit/retained/RetainableHolder; -HPLcom/slack/circuit/retained/RetainableHolder;->(Lcom/slack/circuit/retained/RetainedStateRegistry;Lcom/slack/circuit/retained/CanRetainChecker;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +HPLcom/slack/circuit/retained/RetainableHolder;->(Lcom/slack/circuit/retained/RetainedStateRegistry;Lcom/slack/circuit/retained/CanRetainChecker;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;Z)V HSPLcom/slack/circuit/retained/RetainableHolder;->getValueIfInputsAreEqual([Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/retained/RetainableHolder;->invoke()Ljava/lang/Object; PLcom/slack/circuit/retained/RetainableHolder;->onForgotten()V HSPLcom/slack/circuit/retained/RetainableHolder;->onRemembered()V HSPLcom/slack/circuit/retained/RetainableHolder;->register()V -HPLcom/slack/circuit/retained/RetainableHolder;->saveIfRetainable()V +PLcom/slack/circuit/retained/RetainableHolder;->saveIfRetainable()V HSPLcom/slack/circuit/retained/RetainableHolder;->update(Lcom/slack/circuit/retained/RetainedStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V Lcom/slack/circuit/retained/RetainableHolder$Value; PLcom/slack/circuit/retained/RetainableHolder$Value;->()V PLcom/slack/circuit/retained/RetainableHolder$Value;->(Ljava/lang/Object;[Ljava/lang/Object;)V +PLcom/slack/circuit/retained/RetainableHolder$Value;->getValue()Ljava/lang/Object; Lcom/slack/circuit/retained/RetainedStateRegistry; Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; Lcom/slack/circuit/retained/RetainedStateRegistryImpl; HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->()V HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->(Ljava/util/Map;)V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->consumeValue(Ljava/lang/String;)Ljava/lang/Object; +PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues$clearValue(Ljava/lang/Object;)V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues()V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getRetained()Ljava/util/Map; PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getValueProviders$circuit_retained_release()Ljava/util/Map; HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->saveAll()V -HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->saveValue(Ljava/lang/String;)V +PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->saveValue(Ljava/lang/String;)V Lcom/slack/circuit/retained/RetainedStateRegistryImpl$registerValue$3; HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl$registerValue$3;->(Lcom/slack/circuit/retained/RetainedStateRegistryImpl;Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)V PLcom/slack/circuit/retained/RetainedStateRegistryImpl$registerValue$3;->unregister()V @@ -14662,6 +14727,7 @@ HSPLcom/slack/circuit/retained/RetainedStateRegistryKt;->getLocalRetainedStateRe Lcom/slack/circuit/retained/RetainedStateRegistryKt$LocalRetainedStateRegistry$1; HSPLcom/slack/circuit/retained/RetainedStateRegistryKt$LocalRetainedStateRegistry$1;->()V HSPLcom/slack/circuit/retained/RetainedStateRegistryKt$LocalRetainedStateRegistry$1;->()V +Lcom/slack/circuit/retained/RetainedValueHolder; Lcom/slack/circuit/retained/RetainedValueProvider; Lcom/slack/circuit/runtime/CircuitContext; HSPLcom/slack/circuit/runtime/CircuitContext;->()V @@ -14823,7 +14889,6 @@ PLcom/slack/circuit/star/data/Animal;->getSize()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getStatus()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getUrl()Ljava/lang/String; PLcom/slack/circuit/star/data/AnimalJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V -HPLcom/slack/circuit/star/data/AnimalJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/AnimalsResponse;->()V PLcom/slack/circuit/star/data/AnimalsResponse;->(Ljava/util/List;Lcom/slack/circuit/star/data/Pagination;)V PLcom/slack/circuit/star/data/AnimalsResponse;->getAnimals()Ljava/util/List; @@ -14883,8 +14948,8 @@ PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Lcom/slack/circu PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Ljava/lang/Object; PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->newInstance(Landroid/content/Context;Lokio/FileSystem;)Lcom/slack/circuit/star/data/ContextStarAppDirs; Lcom/slack/circuit/star/data/DataModule; -PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$DB7R4HeDnMWpb1ErSjMSLCfy6r8(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; -PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$mn3Xyc6tGOF1yxPQrbrKYubJoY0(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; +PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$RJ6io3fQ1nKEckMOzYCbaE1DaUE(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; +PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$ToIfkZfgqGKc3Tuz0AjwrFwiKRc(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; HSPLcom/slack/circuit/star/data/DataModule;->()V HSPLcom/slack/circuit/star/data/DataModule;->()V PLcom/slack/circuit/star/data/DataModule;->provideAuthedOkHttpClient(Lretrofit2/Retrofit;Lcom/slack/circuit/star/data/TokenStorage;Lokhttp3/OkHttpClient;)Lokhttp3/OkHttpClient; @@ -14991,7 +15056,7 @@ PLcom/slack/circuit/star/data/JsoupConverter$Companion$newFactory$1;->responseBo Lcom/slack/circuit/star/data/JsoupConverter$Companion$newFactory$1$converter$2; HSPLcom/slack/circuit/star/data/JsoupConverter$Companion$newFactory$1$converter$2;->(Lkotlin/jvm/functions/Function1;)V PLcom/slack/circuit/star/data/Link;->()V -PLcom/slack/circuit/star/data/Link;->(Ljava/lang/String;)V +HPLcom/slack/circuit/star/data/Link;->(Ljava/lang/String;)V PLcom/slack/circuit/star/data/LinkJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/LinkJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/Links;->()V @@ -15064,12 +15129,12 @@ PLcom/slack/circuit/star/db/Animal;->()V HPLcom/slack/circuit/star/db/Animal;->(JJLjava/lang/String;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Ljava/lang/String;Lcom/slack/circuit/star/db/Gender;Lcom/slack/circuit/star/db/Size;Ljava/lang/String;)V PLcom/slack/circuit/star/db/Animal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getDescription()Ljava/lang/String; -HPLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; +PLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; PLcom/slack/circuit/star/db/Animal;->getId()J -HPLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; +PLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getPhotoUrls()Lkotlinx/collections/immutable/ImmutableList; -HPLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; -HPLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; +PLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; +PLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getSize()Lcom/slack/circuit/star/db/Size; PLcom/slack/circuit/star/db/Animal;->getSort()J PLcom/slack/circuit/star/db/Animal;->getTags()Lkotlinx/collections/immutable/ImmutableList; @@ -15431,7 +15496,7 @@ HSPLcom/slack/circuit/star/petdetail/PetBioParser;->()V Lcom/slack/circuit/star/petdetail/PetDetailFactory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V -HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +PLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->create()Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; @@ -15562,7 +15627,7 @@ PLcom/slack/circuit/star/petlist/PetListAnimal;->getGender()Lcom/slack/circuit/s PLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J PLcom/slack/circuit/star/petlist/PetListAnimal;->getImageUrl()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getName()Ljava/lang/String; -HPLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; +PLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; Lcom/slack/circuit/star/petlist/PetListFactory; HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V @@ -15589,7 +15654,7 @@ PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$6(Landroidx/c PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/CircuitUiState; HPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/petlist/PetListScreen$State; -HPLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z +PLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z Lcom/slack/circuit/star/petlist/PetListPresenter$Factory; PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lcom/slack/circuit/runtime/GoToNavigator;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1; @@ -15675,7 +15740,7 @@ HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2;->invoke(Ljava/lang Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1; HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/runtime/Composer;I)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$1$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3; @@ -15910,8 +15975,6 @@ HPLcom/squareup/moshi/JsonUtf8Reader;->peek()Lcom/squareup/moshi/JsonReader$Toke HPLcom/squareup/moshi/JsonUtf8Reader;->peekKeyword()I HPLcom/squareup/moshi/JsonUtf8Reader;->peekNumber()I HPLcom/squareup/moshi/JsonUtf8Reader;->promoteNameToValue()V -HPLcom/squareup/moshi/JsonUtf8Reader;->readEscapeCharacter()C -HPLcom/squareup/moshi/JsonUtf8Reader;->selectName(Lcom/squareup/moshi/JsonReader$Options;)I HPLcom/squareup/moshi/JsonUtf8Reader;->skipName()V HPLcom/squareup/moshi/JsonUtf8Reader;->skipQuotedValue(Lokio/ByteString;)V HPLcom/squareup/moshi/JsonUtf8Reader;->skipValue()V @@ -15921,11 +15984,11 @@ PLcom/squareup/moshi/LinkedHashTreeMap;->()V PLcom/squareup/moshi/LinkedHashTreeMap;->()V HPLcom/squareup/moshi/LinkedHashTreeMap;->(Ljava/util/Comparator;)V HPLcom/squareup/moshi/LinkedHashTreeMap;->find(Ljava/lang/Object;Z)Lcom/squareup/moshi/LinkedHashTreeMap$Node; -PLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/squareup/moshi/LinkedHashTreeMap;->rebalance(Lcom/squareup/moshi/LinkedHashTreeMap$Node;Z)V PLcom/squareup/moshi/LinkedHashTreeMap;->secondaryHash(I)I PLcom/squareup/moshi/LinkedHashTreeMap$1;->()V -PLcom/squareup/moshi/LinkedHashTreeMap$Node;->()V +HPLcom/squareup/moshi/LinkedHashTreeMap$Node;->()V HPLcom/squareup/moshi/LinkedHashTreeMap$Node;->(Lcom/squareup/moshi/LinkedHashTreeMap$Node;Ljava/lang/Object;ILcom/squareup/moshi/LinkedHashTreeMap$Node;Lcom/squareup/moshi/LinkedHashTreeMap$Node;)V Lcom/squareup/moshi/MapJsonAdapter; HSPLcom/squareup/moshi/MapJsonAdapter;->()V @@ -16069,7 +16132,7 @@ PLio/ktor/client/HttpClient;->getSendPipeline()Lio/ktor/client/request/HttpSendP PLio/ktor/client/HttpClient$2;->(Lio/ktor/client/HttpClient;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/HttpClient$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/HttpClient$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->invoke(Lio/ktor/client/HttpClient;)V @@ -16139,7 +16202,7 @@ PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$1;->(Lko PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->(Lio/ktor/client/engine/HttpClientEngine;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngine$install$1;->(Lio/ktor/client/HttpClient;Lio/ktor/client/engine/HttpClientEngine;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/engine/HttpClientEngine$install$1;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngine$install$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16163,9 +16226,9 @@ PLio/ktor/client/engine/HttpClientEngineConfig;->()V PLio/ktor/client/engine/HttpClientEngineConfig;->getProxy()Ljava/net/Proxy; PLio/ktor/client/engine/HttpClientEngineKt;->()V PLio/ktor/client/engine/HttpClientEngineKt;->access$validateHeaders(Lio/ktor/client/request/HttpRequestData;)V -PLio/ktor/client/engine/HttpClientEngineKt;->createCallContext(Lio/ktor/client/engine/HttpClientEngine;Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/engine/HttpClientEngineKt;->createCallContext(Lio/ktor/client/engine/HttpClientEngine;Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngineKt;->getCLIENT_CONFIG()Lio/ktor/util/AttributeKey; -PLio/ktor/client/engine/HttpClientEngineKt;->validateHeaders(Lio/ktor/client/request/HttpRequestData;)V +HPLio/ktor/client/engine/HttpClientEngineKt;->validateHeaders(Lio/ktor/client/request/HttpRequestData;)V PLio/ktor/client/engine/KtorCallContextElement;->()V PLio/ktor/client/engine/KtorCallContextElement;->(Lkotlin/coroutines/CoroutineContext;)V PLio/ktor/client/engine/KtorCallContextElement;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; @@ -16183,6 +16246,8 @@ PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->(Lkotlinx/coroutines/D PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->(Lkotlinx/coroutines/Job;)V +PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->(Lio/ktor/http/Headers;Lio/ktor/http/content/OutgoingContent;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Lio/ktor/http/HeadersBuilder;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -16190,6 +16255,7 @@ PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->(Lkotlin/jvm/functions/Fu PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/String;Ljava/util/List;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->(Lio/ktor/client/request/HttpRequestData;Lkotlinx/coroutines/CancellableContinuation;)V +PLio/ktor/client/engine/okhttp/OkHttpCallback;->onFailure(Lokhttp3/Call;Ljava/io/IOException;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->onResponse(Lokhttp3/Call;Lokhttp3/Response;)V PLio/ktor/client/engine/okhttp/OkHttpConfig;->()V PLio/ktor/client/engine/okhttp/OkHttpConfig;->getClientCacheSize()I @@ -16233,11 +16299,11 @@ PLio/ktor/client/engine/okhttp/OkHttpEngine$executeHttpRequest$2;->invoke(Ljava/ PLio/ktor/client/engine/okhttp/OkHttpEngine$executeHttpRequest$2;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->access$convertToOkHttpRequest(Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/CoroutineContext;)Lokhttp3/Request; PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->access$toChannel(Lokio/BufferedSource;Lkotlin/coroutines/CoroutineContext;Lio/ktor/client/request/HttpRequestData;)Lio/ktor/utils/io/ByteReadChannel; -PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->convertToOkHttpRequest(Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/CoroutineContext;)Lokhttp3/Request; +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt;->convertToOkHttpRequest(Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/CoroutineContext;)Lokhttp3/Request; PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->toChannel(Lokio/BufferedSource;Lkotlin/coroutines/CoroutineContext;Lio/ktor/client/request/HttpRequestData;)Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->(Lokhttp3/Request$Builder;)V -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/String;Ljava/lang/String;)V +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/String;Ljava/lang/String;)V PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->(Lokio/BufferedSource;Lkotlin/coroutines/CoroutineContext;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invoke(Lio/ktor/utils/io/WriterScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -16246,11 +16312,13 @@ HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invokeSuspend(Ljava HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Lokio/BufferedSource;Lio/ktor/client/request/HttpRequestData;)V HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/nio/ByteBuffer;)V -PLio/ktor/client/engine/okhttp/OkUtilsKt;->execute(Lokhttp3/OkHttpClient;Lokhttp3/Request;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/engine/okhttp/OkUtilsKt;->execute(Lokhttp3/OkHttpClient;Lokhttp3/Request;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Headers;)Lio/ktor/http/Headers; PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Protocol;)Lio/ktor/http/HttpProtocolVersion; PLio/ktor/client/engine/okhttp/OkUtilsKt$WhenMappings;->()V PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->(Lokhttp3/Call;)V +PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->(Lokhttp3/Headers;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->entries()Ljava/util/Set; PLio/ktor/client/plugins/BodyProgress;->()V @@ -16268,7 +16336,7 @@ PLio/ktor/client/plugins/BodyProgress$Plugin;->prepare(Lkotlin/jvm/functions/Fun PLio/ktor/client/plugins/BodyProgress$handle$1;->(Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/BodyProgress$handle$1;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/BodyProgress$handle$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/BodyProgress$handle$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/BodyProgress$handle$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/BodyProgress$handle$2;->(Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/BodyProgress$handle$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/BodyProgress$handle$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16286,7 +16354,7 @@ PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidatio PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultTransformKt;->()V PLio/ktor/client/plugins/DefaultTransformKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/DefaultTransformKt;->defaultTransformers(Lio/ktor/client/HttpClient;)V @@ -16315,7 +16383,9 @@ PLio/ktor/client/plugins/HttpCallValidator;->()V PLio/ktor/client/plugins/HttpCallValidator;->(Ljava/util/List;Ljava/util/List;Z)V PLio/ktor/client/plugins/HttpCallValidator;->access$getExpectSuccess$p(Lio/ktor/client/plugins/HttpCallValidator;)Z PLio/ktor/client/plugins/HttpCallValidator;->access$getKey$cp()Lio/ktor/util/AttributeKey; +PLio/ktor/client/plugins/HttpCallValidator;->access$processException(Lio/ktor/client/plugins/HttpCallValidator;Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator;->access$validateResponse(Lio/ktor/client/plugins/HttpCallValidator;Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpCallValidator;->processException(Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/plugins/HttpCallValidator;->validateResponse(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Companion;->()V PLio/ktor/client/plugins/HttpCallValidator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16338,18 +16408,23 @@ PLio/ktor/client/plugins/HttpCallValidator$Companion$install$2;->invokeSuspend(L PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invoke(Lio/ktor/client/plugins/Sender;Lio/ktor/client/request/HttpRequestBuilder;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Config;->()V PLio/ktor/client/plugins/HttpCallValidator$Config;->getExpectSuccess()Z PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseExceptionHandlers$ktor_client_core()Ljava/util/List; PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseValidators$ktor_client_core()Ljava/util/List; PLio/ktor/client/plugins/HttpCallValidator$Config;->setExpectSuccess(Z)V PLio/ktor/client/plugins/HttpCallValidator$Config;->validateResponse(Lkotlin/jvm/functions/Function2;)V +PLio/ktor/client/plugins/HttpCallValidator$processException$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidator$validateResponse$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidatorKt;->()V +PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpResponseValidator(Lio/ktor/client/HttpClientConfig;Lkotlin/jvm/functions/Function1;)V +PLio/ktor/client/plugins/HttpCallValidatorKt;->access$HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/HttpCallValidatorKt;->getExpectSuccessAttributeKey()Lio/ktor/util/AttributeKey; +PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->(Lio/ktor/client/request/HttpRequestBuilder;)V +PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->getUrl()Lio/ktor/http/Url; PLio/ktor/client/plugins/HttpClientPluginKt;->()V PLio/ktor/client/plugins/HttpClientPluginKt;->getPLUGIN_INSTALLED_LIST()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpClientPluginKt;->plugin(Lio/ktor/client/HttpClient;Lio/ktor/client/plugins/HttpClientPlugin;)Ljava/lang/Object; @@ -16373,7 +16448,7 @@ PLio/ktor/client/plugins/HttpPlainText$Plugin;->prepare(Lkotlin/jvm/functions/Fu PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->(Lio/ktor/client/plugins/HttpPlainText;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpPlainText$Plugin$install$2;->(Lio/ktor/client/plugins/HttpPlainText;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpPlainText$Plugin$install$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Lio/ktor/client/statement/HttpResponseContainer;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpPlainText$Plugin$install$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16441,9 +16516,11 @@ PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetry$p(Lio/ktor/cli PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetryOnException$p(Lio/ktor/client/plugins/HttpRequestRetry;)Lkotlin/jvm/functions/Function3; PLio/ktor/client/plugins/HttpRequestRetry;->access$prepareRequest(Lio/ktor/client/plugins/HttpRequestRetry;Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetry(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z +PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetryOnException(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry;->intercept$ktor_client_core(Lio/ktor/client/HttpClient;)V PLio/ktor/client/plugins/HttpRequestRetry;->prepareRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetry(IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z +PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetryOnException(IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->delayMillis(ZLkotlin/jvm/functions/Function2;)V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->exponentialDelay$default(Lio/ktor/client/plugins/HttpRequestRetry$Configuration;DJJZILjava/lang/Object;)V @@ -16469,6 +16546,8 @@ PLio/ktor/client/plugins/HttpRequestRetry$Configuration$exponentialDelay$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$modifyRequest$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->(Z)V +PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Ljava/lang/Boolean; +PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequest;Lio/ktor/client/statement/HttpResponse;)Ljava/lang/Boolean; @@ -16494,6 +16573,8 @@ PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getModifyRequestPerRequestA PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getRetryDelayPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryOnExceptionPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; +PLio/ktor/client/plugins/HttpRequestRetryKt;->access$isTimeoutException(Ljava/lang/Throwable;)Z +PLio/ktor/client/plugins/HttpRequestRetryKt;->isTimeoutException(Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpSend;->()V PLio/ktor/client/plugins/HttpSend;->(I)V PLio/ktor/client/plugins/HttpSend;->(ILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16531,15 +16612,16 @@ PLio/ktor/client/request/DefaultHttpRequest;->getMethod()Lio/ktor/http/HttpMetho PLio/ktor/client/request/DefaultHttpRequest;->getUrl()Lio/ktor/http/Url; PLio/ktor/client/request/HttpRequestBuilder;->()V HPLio/ktor/client/request/HttpRequestBuilder;->()V -PLio/ktor/client/request/HttpRequestBuilder;->build()Lio/ktor/client/request/HttpRequestData; +HPLio/ktor/client/request/HttpRequestBuilder;->build()Lio/ktor/client/request/HttpRequestData; PLio/ktor/client/request/HttpRequestBuilder;->getAttributes()Lio/ktor/util/Attributes; PLio/ktor/client/request/HttpRequestBuilder;->getBody()Ljava/lang/Object; -PLio/ktor/client/request/HttpRequestBuilder;->getBodyType()Lio/ktor/util/reflect/TypeInfo; +HPLio/ktor/client/request/HttpRequestBuilder;->getBodyType()Lio/ktor/util/reflect/TypeInfo; PLio/ktor/client/request/HttpRequestBuilder;->getExecutionContext()Lkotlinx/coroutines/Job; PLio/ktor/client/request/HttpRequestBuilder;->getHeaders()Lio/ktor/http/HeadersBuilder; +PLio/ktor/client/request/HttpRequestBuilder;->getMethod()Lio/ktor/http/HttpMethod; PLio/ktor/client/request/HttpRequestBuilder;->getUrl()Lio/ktor/http/URLBuilder; PLio/ktor/client/request/HttpRequestBuilder;->setBody(Ljava/lang/Object;)V -PLio/ktor/client/request/HttpRequestBuilder;->setBodyType(Lio/ktor/util/reflect/TypeInfo;)V +HPLio/ktor/client/request/HttpRequestBuilder;->setBodyType(Lio/ktor/util/reflect/TypeInfo;)V PLio/ktor/client/request/HttpRequestBuilder;->setExecutionContext$ktor_client_core(Lkotlinx/coroutines/Job;)V PLio/ktor/client/request/HttpRequestBuilder;->setMethod(Lio/ktor/http/HttpMethod;)V HPLio/ktor/client/request/HttpRequestBuilder;->takeFrom(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; @@ -16586,7 +16668,7 @@ PLio/ktor/client/request/HttpSendPipeline$Phases;->getEngine()Lio/ktor/util/pipe PLio/ktor/client/request/HttpSendPipeline$Phases;->getReceive()Lio/ktor/util/pipeline/PipelinePhase; PLio/ktor/client/request/RequestBodyKt;->()V PLio/ktor/client/request/RequestBodyKt;->getBodyTypeAttributeKey()Lio/ktor/util/AttributeKey; -HPLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V +PLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V PLio/ktor/client/statement/DefaultHttpResponse;->getCall()Lio/ktor/client/call/HttpClientCall; PLio/ktor/client/statement/DefaultHttpResponse;->getContent()Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/client/statement/DefaultHttpResponse;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -16626,6 +16708,7 @@ PLio/ktor/client/statement/HttpStatement;->cleanup(Lio/ktor/client/statement/Htt HPLio/ktor/client/statement/HttpStatement;->execute(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/statement/HttpStatement;->executeUnsafe(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$cleanup$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V +PLio/ktor/client/statement/HttpStatement$cleanup$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$execute$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/statement/HttpStatement$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$executeUnsafe$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V @@ -16637,12 +16720,13 @@ PLio/ktor/client/utils/ClientEventsKt;->getHttpResponseReceived()Lio/ktor/events PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->getContentLength()Ljava/lang/Long; +HPLio/ktor/client/utils/ExceptionUtilsJvmKt;->unwrapCancellationException(Ljava/lang/Throwable;)Ljava/lang/Throwable; PLio/ktor/client/utils/HeadersKt;->buildHeaders(Lkotlin/jvm/functions/Function1;)Lio/ktor/http/Headers; PLio/ktor/events/EventDefinition;->()V PLio/ktor/events/Events;->()V -PLio/ktor/events/Events;->raise(Lio/ktor/events/EventDefinition;Ljava/lang/Object;)V +HPLio/ktor/events/Events;->raise(Lio/ktor/events/EventDefinition;Ljava/lang/Object;)V PLio/ktor/http/CodecsKt;->()V -PLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; +HPLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart$default(Ljava/lang/String;IILjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart(Ljava/lang/String;IILjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLQueryComponent$default(Ljava/lang/String;IIZLjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; @@ -16650,7 +16734,7 @@ PLio/ktor/http/CodecsKt;->decodeURLQueryComponent(Ljava/lang/String;IIZLjava/nio PLio/ktor/http/CodecsKt;->encodeURLQueryComponent$default(Ljava/lang/String;ZZLjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; HPLio/ktor/http/CodecsKt;->encodeURLQueryComponent(Ljava/lang/String;ZZLjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->forEach(Lio/ktor/utils/io/core/ByteReadPacket;Lkotlin/jvm/functions/Function1;)V -PLio/ktor/http/CodecsKt$encodeURLQueryComponent$1$1;->(ZLjava/lang/StringBuilder;Z)V +HPLio/ktor/http/CodecsKt$encodeURLQueryComponent$1$1;->(ZLjava/lang/StringBuilder;Z)V PLio/ktor/http/EmptyHeaders;->()V PLio/ktor/http/EmptyHeaders;->()V PLio/ktor/http/EmptyHeaders;->entries()Ljava/util/Set; @@ -16688,8 +16772,8 @@ PLio/ktor/http/HttpHeaders;->getIfUnmodifiedSince()Ljava/lang/String; PLio/ktor/http/HttpHeaders;->getLastModified()Ljava/lang/String; PLio/ktor/http/HttpHeaders;->getUnsafeHeadersList()Ljava/util/List; PLio/ktor/http/HttpHeaders;->getUserAgent()Ljava/lang/String; -PLio/ktor/http/HttpHeadersKt;->access$isDelimiter(C)Z -PLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z +HPLio/ktor/http/HttpHeadersKt;->access$isDelimiter(C)Z +HPLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z PLio/ktor/http/HttpMessagePropertiesKt;->contentType(Lio/ktor/http/HttpMessageBuilder;)Lio/ktor/http/ContentType; PLio/ktor/http/HttpMethod;->()V PLio/ktor/http/HttpMethod;->(Ljava/lang/String;)V @@ -16825,11 +16909,11 @@ PLio/ktor/http/Parameters$Companion;->()V PLio/ktor/http/Parameters$Companion;->()V PLio/ktor/http/Parameters$Companion;->getEmpty()Lio/ktor/http/Parameters; PLio/ktor/http/ParametersBuilderImpl;->(I)V -PLio/ktor/http/ParametersBuilderImpl;->build()Lio/ktor/http/Parameters; +HPLio/ktor/http/ParametersBuilderImpl;->build()Lio/ktor/http/Parameters; PLio/ktor/http/ParametersImpl;->(Ljava/util/Map;)V PLio/ktor/http/ParametersKt;->ParametersBuilder$default(IILjava/lang/Object;)Lio/ktor/http/ParametersBuilder; HPLio/ktor/http/ParametersKt;->ParametersBuilder(I)Lio/ktor/http/ParametersBuilder; -PLio/ktor/http/QueryKt;->appendParam(Lio/ktor/http/ParametersBuilder;Ljava/lang/String;IIIZ)V +HPLio/ktor/http/QueryKt;->appendParam(Lio/ktor/http/ParametersBuilder;Ljava/lang/String;IIIZ)V PLio/ktor/http/QueryKt;->parse(Lio/ktor/http/ParametersBuilder;Ljava/lang/String;IIZ)V PLio/ktor/http/QueryKt;->parseQueryString$default(Ljava/lang/String;IIZILjava/lang/Object;)Lio/ktor/http/Parameters; PLio/ktor/http/QueryKt;->parseQueryString(Ljava/lang/String;IIZ)Lio/ktor/http/Parameters; @@ -16839,8 +16923,8 @@ PLio/ktor/http/URLBuilder;->()V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;Z)V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/http/URLBuilder;->applyOrigin()V -PLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; -PLio/ktor/http/URLBuilder;->buildString()Ljava/lang/String; +HPLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; +HPLio/ktor/http/URLBuilder;->buildString()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedParameters()Lio/ktor/http/ParametersBuilder; PLio/ktor/http/URLBuilder;->getEncodedPassword()Ljava/lang/String; @@ -16849,19 +16933,19 @@ PLio/ktor/http/URLBuilder;->getEncodedUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getHost()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getPassword()Ljava/lang/String; -PLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; +HPLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; PLio/ktor/http/URLBuilder;->getPort()I PLio/ktor/http/URLBuilder;->getProtocol()Lio/ktor/http/URLProtocol; PLio/ktor/http/URLBuilder;->getTrailingQuery()Z PLio/ktor/http/URLBuilder;->getUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->setEncodedFragment(Ljava/lang/String;)V -PLio/ktor/http/URLBuilder;->setEncodedParameters(Lio/ktor/http/ParametersBuilder;)V +HPLio/ktor/http/URLBuilder;->setEncodedParameters(Lio/ktor/http/ParametersBuilder;)V PLio/ktor/http/URLBuilder;->setEncodedPassword(Ljava/lang/String;)V HPLio/ktor/http/URLBuilder;->setEncodedPathSegments(Ljava/util/List;)V PLio/ktor/http/URLBuilder;->setEncodedUser(Ljava/lang/String;)V -PLio/ktor/http/URLBuilder;->setHost(Ljava/lang/String;)V +HPLio/ktor/http/URLBuilder;->setHost(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setPort(I)V -PLio/ktor/http/URLBuilder;->setProtocol(Lio/ktor/http/URLProtocol;)V +HPLio/ktor/http/URLBuilder;->setProtocol(Lio/ktor/http/URLProtocol;)V PLio/ktor/http/URLBuilder;->setTrailingQuery(Z)V PLio/ktor/http/URLBuilder;->toString()Ljava/lang/String; PLio/ktor/http/URLBuilder$Companion;->()V @@ -16870,16 +16954,16 @@ PLio/ktor/http/URLBuilderJvmKt;->getOrigin(Lio/ktor/http/URLBuilder$Companion;)L PLio/ktor/http/URLBuilderKt;->access$appendTo(Lio/ktor/http/URLBuilder;Ljava/lang/Appendable;)Ljava/lang/Appendable; HPLio/ktor/http/URLBuilderKt;->appendTo(Lio/ktor/http/URLBuilder;Ljava/lang/Appendable;)Ljava/lang/Appendable; HPLio/ktor/http/URLBuilderKt;->getAuthority(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -PLio/ktor/http/URLBuilderKt;->getEncodedPath(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -PLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -PLio/ktor/http/URLBuilderKt;->joinPath(Ljava/util/List;)Ljava/lang/String; +HPLio/ktor/http/URLBuilderKt;->getEncodedPath(Lio/ktor/http/URLBuilder;)Ljava/lang/String; +HPLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; +HPLio/ktor/http/URLBuilderKt;->joinPath(Ljava/util/List;)Ljava/lang/String; PLio/ktor/http/URLParserKt;->()V PLio/ktor/http/URLParserKt;->count(Ljava/lang/String;IIC)I PLio/ktor/http/URLParserKt;->fillHost(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)V PLio/ktor/http/URLParserKt;->findScheme(Ljava/lang/String;II)I PLio/ktor/http/URLParserKt;->indexOfColonInHostPort(Ljava/lang/String;II)I PLio/ktor/http/URLParserKt;->parseFragment(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)V -PLio/ktor/http/URLParserKt;->parseQuery(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)I +HPLio/ktor/http/URLParserKt;->parseQuery(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)I PLio/ktor/http/URLParserKt;->takeFrom(Lio/ktor/http/URLBuilder;Ljava/lang/String;)Lio/ktor/http/URLBuilder; HPLio/ktor/http/URLParserKt;->takeFromUnsafe(Lio/ktor/http/URLBuilder;Ljava/lang/String;)Lio/ktor/http/URLBuilder; PLio/ktor/http/URLParserKt$parseQuery$1;->(Lio/ktor/http/URLBuilder;)V @@ -16918,9 +17002,9 @@ PLio/ktor/http/Url$encodedUser$2;->(Lio/ktor/http/Url;)V HPLio/ktor/http/UrlDecodedParametersBuilder;->(Lio/ktor/http/ParametersBuilder;)V PLio/ktor/http/UrlDecodedParametersBuilder;->build()Lio/ktor/http/Parameters; HPLio/ktor/http/UrlDecodedParametersBuilderKt;->appendAllDecoded(Lio/ktor/util/StringValuesBuilder;Lio/ktor/util/StringValuesBuilder;)V -PLio/ktor/http/UrlDecodedParametersBuilderKt;->appendAllEncoded(Lio/ktor/util/StringValuesBuilder;Lio/ktor/util/StringValues;)V +HPLio/ktor/http/UrlDecodedParametersBuilderKt;->appendAllEncoded(Lio/ktor/util/StringValuesBuilder;Lio/ktor/util/StringValues;)V PLio/ktor/http/UrlDecodedParametersBuilderKt;->decodeParameters(Lio/ktor/util/StringValuesBuilder;)Lio/ktor/http/Parameters; -PLio/ktor/http/UrlDecodedParametersBuilderKt;->encodeParameters(Lio/ktor/util/StringValues;)Lio/ktor/http/ParametersBuilder; +HPLio/ktor/http/UrlDecodedParametersBuilderKt;->encodeParameters(Lio/ktor/util/StringValues;)Lio/ktor/http/ParametersBuilder; PLio/ktor/http/content/NullBody;->()V PLio/ktor/http/content/NullBody;->()V PLio/ktor/http/content/OutgoingContent;->()V @@ -16933,19 +17017,19 @@ HPLio/ktor/util/AttributeKey;->hashCode()I PLio/ktor/util/Attributes$DefaultImpls;->get(Lio/ktor/util/Attributes;Lio/ktor/util/AttributeKey;)Ljava/lang/Object; PLio/ktor/util/AttributesJvmBase;->()V PLio/ktor/util/AttributesJvmBase;->get(Lio/ktor/util/AttributeKey;)Ljava/lang/Object; -PLio/ktor/util/AttributesJvmBase;->getAllKeys()Ljava/util/List; +HPLio/ktor/util/AttributesJvmBase;->getAllKeys()Ljava/util/List; HPLio/ktor/util/AttributesJvmBase;->getOrNull(Lio/ktor/util/AttributeKey;)Ljava/lang/Object; -PLio/ktor/util/AttributesJvmBase;->put(Lio/ktor/util/AttributeKey;Ljava/lang/Object;)V -PLio/ktor/util/AttributesJvmBase;->remove(Lio/ktor/util/AttributeKey;)V -PLio/ktor/util/AttributesJvmKt;->Attributes(Z)Lio/ktor/util/Attributes; +HPLio/ktor/util/AttributesJvmBase;->put(Lio/ktor/util/AttributeKey;Ljava/lang/Object;)V +HPLio/ktor/util/AttributesJvmBase;->remove(Lio/ktor/util/AttributeKey;)V +HPLio/ktor/util/AttributesJvmKt;->Attributes(Z)Lio/ktor/util/Attributes; HPLio/ktor/util/AttributesKt;->putAll(Lio/ktor/util/Attributes;Lio/ktor/util/Attributes;)V PLio/ktor/util/CacheKt;->createLRUCache(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;I)Ljava/util/Map; HPLio/ktor/util/CaseInsensitiveMap;->()V -PLio/ktor/util/CaseInsensitiveMap;->entrySet()Ljava/util/Set; +HPLio/ktor/util/CaseInsensitiveMap;->entrySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/String;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->getEntries()Ljava/util/Set; -PLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; +HPLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; PLio/ktor/util/CaseInsensitiveMap;->isEmpty()Z PLio/ktor/util/CaseInsensitiveMap;->keySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16963,30 +17047,30 @@ PLio/ktor/util/CaseInsensitiveMap$keys$1;->invoke(Ljava/lang/Object;)Ljava/lang/ PLio/ktor/util/CaseInsensitiveMap$keys$2;->()V PLio/ktor/util/CaseInsensitiveMap$keys$2;->()V HPLio/ktor/util/CaseInsensitiveString;->(Ljava/lang/String;)V -PLio/ktor/util/CaseInsensitiveString;->equals(Ljava/lang/Object;)Z -PLio/ktor/util/CaseInsensitiveString;->getContent()Ljava/lang/String; -PLio/ktor/util/CaseInsensitiveString;->hashCode()I +HPLio/ktor/util/CaseInsensitiveString;->equals(Ljava/lang/Object;)Z +HPLio/ktor/util/CaseInsensitiveString;->getContent()Ljava/lang/String; +HPLio/ktor/util/CaseInsensitiveString;->hashCode()I PLio/ktor/util/CharsetKt;->isLowerCase(C)Z PLio/ktor/util/CharsetKt;->toCharArray(Ljava/lang/String;)[C HPLio/ktor/util/CollectionsJvmKt;->unmodifiable(Ljava/util/Set;)Ljava/util/Set; HPLio/ktor/util/CollectionsKt;->caseInsensitiveMap()Ljava/util/Map; -PLio/ktor/util/ConcurrentSafeAttributes;->()V -PLio/ktor/util/ConcurrentSafeAttributes;->computeIfAbsent(Lio/ktor/util/AttributeKey;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; +HPLio/ktor/util/ConcurrentSafeAttributes;->()V +HPLio/ktor/util/ConcurrentSafeAttributes;->computeIfAbsent(Lio/ktor/util/AttributeKey;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/Map; -PLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; +HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor$default(Lkotlinx/coroutines/Job;ILjava/lang/Object;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor(Lkotlinx/coroutines/Job;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt$SilentSupervisor$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;)V HPLio/ktor/util/DelegatingMutableSet;->(Ljava/util/Set;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -PLio/ktor/util/DelegatingMutableSet;->access$getConvertTo$p(Lio/ktor/util/DelegatingMutableSet;)Lkotlin/jvm/functions/Function1; -PLio/ktor/util/DelegatingMutableSet;->access$getDelegate$p(Lio/ktor/util/DelegatingMutableSet;)Ljava/util/Set; +HPLio/ktor/util/DelegatingMutableSet;->access$getConvertTo$p(Lio/ktor/util/DelegatingMutableSet;)Lkotlin/jvm/functions/Function1; +HPLio/ktor/util/DelegatingMutableSet;->access$getDelegate$p(Lio/ktor/util/DelegatingMutableSet;)Ljava/util/Set; HPLio/ktor/util/DelegatingMutableSet;->iterator()Ljava/util/Iterator; HPLio/ktor/util/DelegatingMutableSet$iterator$1;->(Lio/ktor/util/DelegatingMutableSet;)V -PLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z +HPLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z HPLio/ktor/util/DelegatingMutableSet$iterator$1;->next()Ljava/lang/Object; HPLio/ktor/util/Entry;->(Ljava/lang/Object;Ljava/lang/Object;)V HPLio/ktor/util/Entry;->getKey()Ljava/lang/Object; -PLio/ktor/util/Entry;->getValue()Ljava/lang/Object; +HPLio/ktor/util/Entry;->getValue()Ljava/lang/Object; PLio/ktor/util/LRUCache;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;I)V PLio/ktor/util/LRUCache;->get(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/LRUCache;->getSize()I @@ -17005,11 +17089,11 @@ PLio/ktor/util/PlatformUtilsJvmKt;->isNewMemoryModel(Lio/ktor/util/PlatformUtils PLio/ktor/util/StringValues$DefaultImpls;->forEach(Lio/ktor/util/StringValues;Lkotlin/jvm/functions/Function2;)V PLio/ktor/util/StringValues$DefaultImpls;->get(Lio/ktor/util/StringValues;Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->(ZI)V -PLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V +HPLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl;->appendAll(Lio/ktor/util/StringValues;)V HPLio/ktor/util/StringValuesBuilderImpl;->appendAll(Ljava/lang/String;Ljava/lang/Iterable;)V HPLio/ktor/util/StringValuesBuilderImpl;->ensureListForKey(Ljava/lang/String;)Ljava/util/List; -PLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; +HPLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->get(Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->getAll(Ljava/lang/String;)Ljava/util/List; PLio/ktor/util/StringValuesBuilderImpl;->getCaseInsensitiveName()Z @@ -17018,7 +17102,7 @@ PLio/ktor/util/StringValuesBuilderImpl;->isEmpty()Z PLio/ktor/util/StringValuesBuilderImpl;->names()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->set(Ljava/lang/String;Ljava/lang/String;)V HPLio/ktor/util/StringValuesBuilderImpl;->validateName(Ljava/lang/String;)V -PLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V +HPLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->(Lio/ktor/util/StringValuesBuilderImpl;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/String;Ljava/util/List;)V @@ -17033,7 +17117,7 @@ PLio/ktor/util/TextKt;->toLowerCasePreservingASCII(C)C PLio/ktor/util/TextKt;->toLowerCasePreservingASCIIRules(Ljava/lang/String;)Ljava/lang/String; PLio/ktor/util/collections/CopyOnWriteHashMap;->()V PLio/ktor/util/collections/CopyOnWriteHashMap;->()V -PLio/ktor/util/collections/CopyOnWriteHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/util/collections/CopyOnWriteHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/date/DateJvmKt;->()V PLio/ktor/util/date/DateJvmKt;->GMTDate$default(Ljava/lang/Long;ILjava/lang/Object;)Lio/ktor/util/date/GMTDate; PLio/ktor/util/date/DateJvmKt;->GMTDate(Ljava/lang/Long;)Lio/ktor/util/date/GMTDate; @@ -17086,9 +17170,9 @@ PLio/ktor/util/pipeline/Pipeline;->notSharedInterceptorsList(Ljava/util/List;)V PLio/ktor/util/pipeline/Pipeline;->resetInterceptorsList()V PLio/ktor/util/pipeline/Pipeline;->setInterceptors(Ljava/util/List;)V PLio/ktor/util/pipeline/Pipeline;->setInterceptorsListFromPhase(Lio/ktor/util/pipeline/PhaseContent;)V -PLio/ktor/util/pipeline/Pipeline;->sharedInterceptorsList()Ljava/util/List; +HPLio/ktor/util/pipeline/Pipeline;->sharedInterceptorsList()Ljava/util/List; PLio/ktor/util/pipeline/Pipeline;->tryAddToPhaseFastPath(Lio/ktor/util/pipeline/PipelinePhase;Lkotlin/jvm/functions/Function3;)Z -PLio/ktor/util/pipeline/PipelineContext;->(Ljava/lang/Object;)V +HPLio/ktor/util/pipeline/PipelineContext;->(Ljava/lang/Object;)V PLio/ktor/util/pipeline/PipelineContext;->getContext()Ljava/lang/Object; HPLio/ktor/util/pipeline/PipelineContextKt;->pipelineContextFor(Ljava/lang/Object;Ljava/util/List;Ljava/lang/Object;Lkotlin/coroutines/CoroutineContext;Z)Lio/ktor/util/pipeline/PipelineContext; PLio/ktor/util/pipeline/PipelineContext_jvmKt;->()V @@ -17100,23 +17184,26 @@ PLio/ktor/util/pipeline/PipelinePhaseRelation$After;->(Lio/ktor/util/pipel PLio/ktor/util/pipeline/PipelinePhaseRelation$Before;->(Lio/ktor/util/pipeline/PipelinePhase;)V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V +PLio/ktor/util/pipeline/StackTraceRecoverJvmKt;->withCause(Ljava/lang/Throwable;Ljava/lang/Throwable;)Ljava/lang/Throwable; +HPLio/ktor/util/pipeline/StackTraceRecoverKt;->recoverStackTraceBridge(Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Throwable; HPLio/ktor/util/pipeline/SuspendFunctionGun;->(Ljava/lang/Object;Ljava/lang/Object;Ljava/util/List;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getLastSuspensionIndex$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)I PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getSuspensions$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)[Lkotlin/coroutines/Continuation; PLio/ktor/util/pipeline/SuspendFunctionGun;->access$loop(Lio/ktor/util/pipeline/SuspendFunctionGun;Z)Z +PLio/ktor/util/pipeline/SuspendFunctionGun;->access$resumeRootWith(Lio/ktor/util/pipeline/SuspendFunctionGun;Ljava/lang/Object;)V HPLio/ktor/util/pipeline/SuspendFunctionGun;->addContinuation(Lkotlin/coroutines/Continuation;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->discardLastRootContinuation()V HPLio/ktor/util/pipeline/SuspendFunctionGun;->execute$ktor_utils(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/util/pipeline/SuspendFunctionGun;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; -PLio/ktor/util/pipeline/SuspendFunctionGun;->getSubject()Ljava/lang/Object; +HPLio/ktor/util/pipeline/SuspendFunctionGun;->getSubject()Ljava/lang/Object; HPLio/ktor/util/pipeline/SuspendFunctionGun;->loop(Z)Z HPLio/ktor/util/pipeline/SuspendFunctionGun;->proceed(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/util/pipeline/SuspendFunctionGun;->proceedWith(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/util/pipeline/SuspendFunctionGun;->resumeRootWith(Ljava/lang/Object;)V -PLio/ktor/util/pipeline/SuspendFunctionGun;->setSubject(Ljava/lang/Object;)V +HPLio/ktor/util/pipeline/SuspendFunctionGun;->setSubject(Ljava/lang/Object;)V PLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->(Lio/ktor/util/pipeline/SuspendFunctionGun;)V HPLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->getContext()Lkotlin/coroutines/CoroutineContext; -PLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->resumeWith(Ljava/lang/Object;)V +HPLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->resumeWith(Ljava/lang/Object;)V PLio/ktor/util/reflect/TypeInfo;->(Lkotlin/reflect/KClass;Ljava/lang/reflect/Type;Lkotlin/reflect/KType;)V PLio/ktor/util/reflect/TypeInfo;->getType()Lkotlin/reflect/KClass; PLio/ktor/util/reflect/TypeInfoJvmKt;->instanceOf(Ljava/lang/Object;Lkotlin/reflect/KClass;)Z @@ -17145,7 +17232,8 @@ HPLio/ktor/utils/io/ByteBufferChannel;->carryIndex(Ljava/nio/ByteBuffer;I)I HPLio/ktor/utils/io/ByteBufferChannel;->close(Ljava/lang/Throwable;)Z HPLio/ktor/utils/io/ByteBufferChannel;->copyDirect$ktor_io(Lio/ktor/utils/io/ByteBufferChannel;JLio/ktor/utils/io/internal/JoiningState;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->currentState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; -HPLio/ktor/utils/io/ByteBufferChannel;->flush()V +PLio/ktor/utils/io/ByteBufferChannel;->flush()V +HPLio/ktor/utils/io/ByteBufferChannel;->flushImpl(I)V PLio/ktor/utils/io/ByteBufferChannel;->getAutoFlush()Z PLio/ktor/utils/io/ByteBufferChannel;->getAvailableForRead()I HPLio/ktor/utils/io/ByteBufferChannel;->getClosed()Lio/ktor/utils/io/internal/ClosedElement; @@ -17155,7 +17243,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->getState()Lio/ktor/utils/io/internal/Rea PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesRead()J HPLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J HPLio/ktor/utils/io/ByteBufferChannel;->getWriteOp()Lkotlin/coroutines/Continuation; -HPLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z +PLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z HPLio/ktor/utils/io/ByteBufferChannel;->newBuffer()Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial; HPLio/ktor/utils/io/ByteBufferChannel;->prepareBuffer(Ljava/nio/ByteBuffer;II)V HPLio/ktor/utils/io/ByteBufferChannel;->read$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -17163,7 +17251,7 @@ PLio/ktor/utils/io/ByteBufferChannel;->read(ILkotlin/jvm/functions/Function1;Lko HPLio/ktor/utils/io/ByteBufferChannel;->readBlockSuspend(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspendImpl(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V +PLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/ByteBufferChannel;->resolveChannelInstance$ktor_io()Lio/ktor/utils/io/ByteBufferChannel; HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterRead()V HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterWrite$ktor_io()V @@ -17250,9 +17338,9 @@ PLio/ktor/utils/io/core/Buffer$Companion;->()V PLio/ktor/utils/io/core/Buffer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/utils/io/core/BufferFactoryKt;->()V PLio/ktor/utils/io/core/BufferFactoryKt;->getDefaultChunkedBufferPool()Lio/ktor/utils/io/pool/ObjectPool; -PLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;)V -PLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLio/ktor/utils/io/core/BytePacketBuilder;->build()Lio/ktor/utils/io/core/ByteReadPacket; +HPLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;)V +HPLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLio/ktor/utils/io/core/BytePacketBuilder;->build()Lio/ktor/utils/io/core/ByteReadPacket; PLio/ktor/utils/io/core/BytePacketBuilder;->getSize()I PLio/ktor/utils/io/core/ByteReadPacket;->()V PLio/ktor/utils/io/core/ByteReadPacket;->(Lio/ktor/utils/io/core/internal/ChunkBuffer;JLio/ktor/utils/io/pool/ObjectPool;)V @@ -17265,16 +17353,16 @@ PLio/ktor/utils/io/core/DefaultBufferPool;->(IILio/ktor/utils/io/bits/Allo PLio/ktor/utils/io/core/Input;->()V PLio/ktor/utils/io/core/Input;->(Lio/ktor/utils/io/core/internal/ChunkBuffer;JLio/ktor/utils/io/pool/ObjectPool;)V PLio/ktor/utils/io/core/Input;->doFill()Lio/ktor/utils/io/core/internal/ChunkBuffer; -PLio/ktor/utils/io/core/Input;->getHead()Lio/ktor/utils/io/core/internal/ChunkBuffer; +HPLio/ktor/utils/io/core/Input;->getHead()Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/core/Input;->getHeadEndExclusive()I PLio/ktor/utils/io/core/Input;->getHeadPosition()I PLio/ktor/utils/io/core/Input;->markNoMoreChunksAvailable()V PLio/ktor/utils/io/core/Input;->prepareReadHead$ktor_io(I)Lio/ktor/utils/io/core/internal/ChunkBuffer; -PLio/ktor/utils/io/core/Input;->prepareReadLoop(ILio/ktor/utils/io/core/internal/ChunkBuffer;)Lio/ktor/utils/io/core/internal/ChunkBuffer; +HPLio/ktor/utils/io/core/Input;->prepareReadLoop(ILio/ktor/utils/io/core/internal/ChunkBuffer;)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/core/Input$Companion;->()V PLio/ktor/utils/io/core/Input$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLio/ktor/utils/io/core/Output;->(Lio/ktor/utils/io/pool/ObjectPool;)V -PLio/ktor/utils/io/core/Output;->get_size()I +HPLio/ktor/utils/io/core/Output;->get_size()I PLio/ktor/utils/io/core/Output;->stealAll$ktor_io()Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/core/internal/ChunkBuffer;->()V PLio/ktor/utils/io/core/internal/ChunkBuffer;->(Ljava/nio/ByteBuffer;Lio/ktor/utils/io/core/internal/ChunkBuffer;Lio/ktor/utils/io/pool/ObjectPool;)V @@ -17291,7 +17379,7 @@ PLio/ktor/utils/io/core/internal/ChunkBuffer$Companion$EmptyPool$1;->()V PLio/ktor/utils/io/core/internal/ChunkBuffer$Companion$NoPool$1;->()V PLio/ktor/utils/io/core/internal/ChunkBuffer$Companion$NoPoolManuallyManaged$1;->()V PLio/ktor/utils/io/core/internal/UnsafeKt;->()V -PLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; +HPLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Object;)V @@ -17333,7 +17421,7 @@ HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getIdleState$ktor_io PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; -HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; +PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V @@ -17363,7 +17451,7 @@ HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeRead(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeWrite(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->flush()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z -HPLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z +PLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->resetForWrite()V HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z @@ -17380,14 +17468,14 @@ PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/lang/Object;)L HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/nio/ByteBuffer;)V PLio/ktor/utils/io/pool/DefaultPool;->()V PLio/ktor/utils/io/pool/DefaultPool;->(I)V -HPLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; +PLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; PLio/ktor/utils/io/pool/DefaultPool;->clearInstance(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->popTop()I HPLio/ktor/utils/io/pool/DefaultPool;->pushTop(I)V HPLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V HPLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->tryPush(Ljava/lang/Object;)Z -HPLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V +PLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V Lio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0; HPLio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReferenceArray;ILjava/lang/Object;Ljava/lang/Object;)Z PLio/ktor/utils/io/pool/DefaultPool$Companion;->()V @@ -17419,7 +17507,7 @@ HPLkotlin/Pair;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLkotlin/Pair;->component1()Ljava/lang/Object; HSPLkotlin/Pair;->component2()Ljava/lang/Object; HPLkotlin/Pair;->getFirst()Ljava/lang/Object; -HSPLkotlin/Pair;->getSecond()Ljava/lang/Object; +HPLkotlin/Pair;->getSecond()Ljava/lang/Object; Lkotlin/Result; HSPLkotlin/Result;->()V HPLkotlin/Result;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; @@ -17513,7 +17601,7 @@ HPLkotlin/collections/ArrayAsCollection;->([Ljava/lang/Object;Z)V HSPLkotlin/collections/ArrayAsCollection;->toArray()[Ljava/lang/Object; Lkotlin/collections/ArrayDeque; HSPLkotlin/collections/ArrayDeque;->()V -HSPLkotlin/collections/ArrayDeque;->()V +HPLkotlin/collections/ArrayDeque;->()V PLkotlin/collections/ArrayDeque;->(I)V HSPLkotlin/collections/ArrayDeque;->add(Ljava/lang/Object;)Z PLkotlin/collections/ArrayDeque;->addFirst(Ljava/lang/Object;)V @@ -17523,7 +17611,7 @@ HSPLkotlin/collections/ArrayDeque;->copyElements(I)V PLkotlin/collections/ArrayDeque;->decremented(I)I HPLkotlin/collections/ArrayDeque;->ensureCapacity(I)V PLkotlin/collections/ArrayDeque;->first()Ljava/lang/Object; -PLkotlin/collections/ArrayDeque;->firstOrNull()Ljava/lang/Object; +HPLkotlin/collections/ArrayDeque;->firstOrNull()Ljava/lang/Object; HPLkotlin/collections/ArrayDeque;->get(I)Ljava/lang/Object; HPLkotlin/collections/ArrayDeque;->getSize()I HPLkotlin/collections/ArrayDeque;->incremented(I)I @@ -17556,7 +17644,7 @@ HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([Ljava/lang/Object;II)[Ljava/lang/Object; HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([IIIIILjava/lang/Object;)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([JJIIILjava/lang/Object;)V -HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([IIII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([JJII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([Ljava/lang/Object;Ljava/lang/Object;II)V @@ -17617,14 +17705,12 @@ HPLkotlin/collections/CollectionsKt__MutableCollectionsKt;->addAll(Ljava/util/Co Lkotlin/collections/CollectionsKt__ReversedViewsKt; Lkotlin/collections/CollectionsKt___CollectionsJvmKt; Lkotlin/collections/CollectionsKt___CollectionsKt; -PLkotlin/collections/CollectionsKt___CollectionsKt;->contains(Ljava/lang/Iterable;Ljava/lang/Object;)Z HPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/lang/Iterable;)Ljava/lang/Object; HSPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/util/List;)Ljava/lang/Object; HPLkotlin/collections/CollectionsKt___CollectionsKt;->firstOrNull(Ljava/util/List;)Ljava/lang/Object; HPLkotlin/collections/CollectionsKt___CollectionsKt;->getOrNull(Ljava/util/List;I)Ljava/lang/Object; -PLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/lang/Iterable;Ljava/lang/Object;)I HSPLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/util/List;Ljava/lang/Object;)I -PLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo$default(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/Appendable; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo$default(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/Appendable; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;)Ljava/lang/Appendable; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString$default(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/String; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;)Ljava/lang/String; @@ -17632,7 +17718,7 @@ HPLkotlin/collections/CollectionsKt___CollectionsKt;->last(Ljava/util/List;)Ljav HSPLkotlin/collections/CollectionsKt___CollectionsKt;->lastOrNull(Ljava/util/List;)Ljava/lang/Object; HPLkotlin/collections/CollectionsKt___CollectionsKt;->minus(Ljava/lang/Iterable;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/lang/Iterable;Ljava/lang/Iterable;)Ljava/util/List; -PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Iterable;)Ljava/util/List; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Iterable;)Ljava/util/List; HPLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->reversed(Ljava/lang/Iterable;)Ljava/util/List; HPLkotlin/collections/CollectionsKt___CollectionsKt;->singleOrNull(Ljava/util/List;)Ljava/lang/Object; @@ -17653,7 +17739,7 @@ HSPLkotlin/collections/EmptyList;->()V HSPLkotlin/collections/EmptyList;->contains(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyList;->getSize()I HSPLkotlin/collections/EmptyList;->isEmpty()Z -PLkotlin/collections/EmptyList;->iterator()Ljava/util/Iterator; +HPLkotlin/collections/EmptyList;->iterator()Ljava/util/Iterator; HPLkotlin/collections/EmptyList;->size()I HSPLkotlin/collections/EmptyList;->toArray()[Ljava/lang/Object; Lkotlin/collections/EmptyMap; @@ -17680,13 +17766,13 @@ PLkotlin/collections/EmptySet;->getSize()I PLkotlin/collections/EmptySet;->hashCode()I PLkotlin/collections/EmptySet;->isEmpty()Z HPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; -HPLkotlin/collections/EmptySet;->size()I +PLkotlin/collections/EmptySet;->size()I Lkotlin/collections/IntIterator; HPLkotlin/collections/IntIterator;->()V Lkotlin/collections/MapWithDefault; Lkotlin/collections/MapsKt; Lkotlin/collections/MapsKt__MapWithDefaultKt; -HSPLkotlin/collections/MapsKt__MapWithDefaultKt;->getOrImplicitDefaultNullable(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlin/collections/MapsKt__MapWithDefaultKt;->getOrImplicitDefaultNullable(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/collections/MapsKt__MapsJVMKt; HSPLkotlin/collections/MapsKt__MapsJVMKt;->build(Ljava/util/Map;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsJVMKt;->createMapBuilder()Ljava/util/Map; @@ -17696,7 +17782,7 @@ PLkotlin/collections/MapsKt__MapsJVMKt;->mapOf(Lkotlin/Pair;)Ljava/util/Map; PLkotlin/collections/MapsKt__MapsJVMKt;->toSingletonMap(Ljava/util/Map;)Ljava/util/Map; Lkotlin/collections/MapsKt__MapsKt; HPLkotlin/collections/MapsKt__MapsKt;->emptyMap()Ljava/util/Map; -HSPLkotlin/collections/MapsKt__MapsKt;->getValue(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlin/collections/MapsKt__MapsKt;->getValue(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; HSPLkotlin/collections/MapsKt__MapsKt;->mapOf([Lkotlin/Pair;)Ljava/util/Map; PLkotlin/collections/MapsKt__MapsKt;->plus(Ljava/util/Map;Ljava/util/Map;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;Ljava/lang/Iterable;)V @@ -17749,7 +17835,7 @@ Lkotlin/collections/builders/ListBuilder$Itr; HSPLkotlin/collections/builders/ListBuilder$Itr;->(Lkotlin/collections/builders/ListBuilder;I)V HSPLkotlin/collections/builders/ListBuilder$Itr;->checkForComodification()V HSPLkotlin/collections/builders/ListBuilder$Itr;->hasNext()Z -HSPLkotlin/collections/builders/ListBuilder$Itr;->next()Ljava/lang/Object; +HPLkotlin/collections/builders/ListBuilder$Itr;->next()Ljava/lang/Object; Lkotlin/collections/builders/ListBuilderKt; HSPLkotlin/collections/builders/ListBuilderKt;->arrayOfUninitializedElements(I)[Ljava/lang/Object; HSPLkotlin/collections/builders/ListBuilderKt;->copyOfUninitializedElements([Ljava/lang/Object;I)[Ljava/lang/Object; @@ -17833,6 +17919,7 @@ PLkotlin/coroutines/AbstractCoroutineContextKey;->isSubKey$kotlin_stdlib(Lkotlin PLkotlin/coroutines/AbstractCoroutineContextKey;->tryCast$kotlin_stdlib(Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext$Element; Lkotlin/coroutines/CombinedContext; HPLkotlin/coroutines/CombinedContext;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)V +HSPLkotlin/coroutines/CombinedContext;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLkotlin/coroutines/CombinedContext;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLkotlin/coroutines/CombinedContext;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLkotlin/coroutines/CombinedContext;->plus(Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; @@ -17861,6 +17948,7 @@ Lkotlin/coroutines/CoroutineContext$plus$1; HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext; Lkotlin/coroutines/EmptyCoroutineContext; HSPLkotlin/coroutines/EmptyCoroutineContext;->()V HSPLkotlin/coroutines/EmptyCoroutineContext;->()V @@ -17883,7 +17971,7 @@ PLkotlin/coroutines/jvm/internal/BaseContinuationImpl;->releaseIntercepted()V HPLkotlin/coroutines/jvm/internal/BaseContinuationImpl;->resumeWith(Ljava/lang/Object;)V Lkotlin/coroutines/jvm/internal/Boxing; HPLkotlin/coroutines/jvm/internal/Boxing;->boxBoolean(Z)Ljava/lang/Boolean; -PLkotlin/coroutines/jvm/internal/Boxing;->boxInt(I)Ljava/lang/Integer; +HPLkotlin/coroutines/jvm/internal/Boxing;->boxInt(I)Ljava/lang/Integer; PLkotlin/coroutines/jvm/internal/Boxing;->boxLong(J)Ljava/lang/Long; Lkotlin/coroutines/jvm/internal/CompletedContinuation; HSPLkotlin/coroutines/jvm/internal/CompletedContinuation;->()V @@ -17892,6 +17980,7 @@ Lkotlin/coroutines/jvm/internal/ContinuationImpl; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/CoroutineContext;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->getContext()Lkotlin/coroutines/CoroutineContext; +HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->intercepted()Lkotlin/coroutines/Continuation; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->releaseIntercepted()V Lkotlin/coroutines/jvm/internal/CoroutineStackFrame; Lkotlin/coroutines/jvm/internal/DebugProbesKt; @@ -17899,7 +17988,7 @@ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineCreated(Lkotlin/ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineResumed(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineSuspended(Lkotlin/coroutines/Continuation;)V PLkotlin/coroutines/jvm/internal/RestrictedContinuationImpl;->(Lkotlin/coroutines/Continuation;)V -HPLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V +PLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V Lkotlin/coroutines/jvm/internal/SuspendFunction; Lkotlin/coroutines/jvm/internal/SuspendLambda; HPLkotlin/coroutines/jvm/internal/SuspendLambda;->(ILkotlin/coroutines/Continuation;)V @@ -17919,7 +18008,7 @@ Lkotlin/internal/PlatformImplementationsKt; HSPLkotlin/internal/PlatformImplementationsKt;->()V Lkotlin/internal/ProgressionUtilKt; HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(III)I -PLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J +HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J HPLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(III)I PLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(JJJ)J HSPLkotlin/internal/ProgressionUtilKt;->mod(II)I @@ -18011,6 +18100,7 @@ HSPLkotlin/jvm/internal/IntCompanionObject;->()V HSPLkotlin/jvm/internal/IntCompanionObject;->()V Lkotlin/jvm/internal/Intrinsics; HSPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Float;F)Z +HPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Object;Ljava/lang/Object;)Z HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;Ljava/lang/String;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNullExpressionValue(Ljava/lang/Object;Ljava/lang/String;)V @@ -18069,7 +18159,7 @@ HPLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljav PLkotlin/jvm/internal/TypeIntrinsics;->castToList(Ljava/lang/Object;)Ljava/util/List; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToSet(Ljava/lang/Object;)Ljava/util/Set; -HSPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I +HPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I HPLkotlin/jvm/internal/TypeIntrinsics;->isFunctionOfArity(Ljava/lang/Object;I)Z HSPLkotlin/jvm/internal/TypeIntrinsics;->isMutableSet(Ljava/lang/Object;)Z PLkotlin/jvm/internal/TypeReference;->()V @@ -18132,7 +18222,7 @@ Lkotlin/ranges/IntProgression; HSPLkotlin/ranges/IntProgression;->()V HPLkotlin/ranges/IntProgression;->(III)V HPLkotlin/ranges/IntProgression;->getFirst()I -HPLkotlin/ranges/IntProgression;->getLast()I +HSPLkotlin/ranges/IntProgression;->getLast()I PLkotlin/ranges/IntProgression;->getStep()I HPLkotlin/ranges/IntProgression;->iterator()Ljava/util/Iterator; HPLkotlin/ranges/IntProgression;->iterator()Lkotlin/collections/IntIterator; @@ -18177,9 +18267,9 @@ HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(II)I HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(DDD)D HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(FFF)F HPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(III)I -HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(JJJ)J +HPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(JJJ)J PLkotlin/ranges/RangesKt___RangesKt;->downTo(II)Lkotlin/ranges/IntProgression; -PLkotlin/ranges/RangesKt___RangesKt;->step(Lkotlin/ranges/IntProgression;I)Lkotlin/ranges/IntProgression; +HPLkotlin/ranges/RangesKt___RangesKt;->step(Lkotlin/ranges/IntProgression;I)Lkotlin/ranges/IntProgression; HSPLkotlin/ranges/RangesKt___RangesKt;->until(II)Lkotlin/ranges/IntRange; Lkotlin/reflect/KAnnotatedElement; Lkotlin/reflect/KCallable; @@ -18200,12 +18290,12 @@ HSPLkotlin/sequences/ConstrainedOnceSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/FilteringSequence; HPLkotlin/sequences/FilteringSequence;->(Lkotlin/sequences/Sequence;ZLkotlin/jvm/functions/Function1;)V HSPLkotlin/sequences/FilteringSequence;->access$getPredicate$p(Lkotlin/sequences/FilteringSequence;)Lkotlin/jvm/functions/Function1; -HSPLkotlin/sequences/FilteringSequence;->access$getSendWhen$p(Lkotlin/sequences/FilteringSequence;)Z +HPLkotlin/sequences/FilteringSequence;->access$getSendWhen$p(Lkotlin/sequences/FilteringSequence;)Z HSPLkotlin/sequences/FilteringSequence;->access$getSequence$p(Lkotlin/sequences/FilteringSequence;)Lkotlin/sequences/Sequence; HPLkotlin/sequences/FilteringSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/FilteringSequence$iterator$1; HPLkotlin/sequences/FilteringSequence$iterator$1;->(Lkotlin/sequences/FilteringSequence;)V -HPLkotlin/sequences/FilteringSequence$iterator$1;->calcNext()V +HSPLkotlin/sequences/FilteringSequence$iterator$1;->calcNext()V HPLkotlin/sequences/FilteringSequence$iterator$1;->hasNext()Z HPLkotlin/sequences/FilteringSequence$iterator$1;->next()Ljava/lang/Object; Lkotlin/sequences/GeneratorSequence; @@ -18256,11 +18346,11 @@ Lkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1; HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; -HPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/sequences/TransformingSequence; HPLkotlin/sequences/TransformingSequence;->(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)V HSPLkotlin/sequences/TransformingSequence;->access$getSequence$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/sequences/Sequence; -HPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; +HSPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; HPLkotlin/sequences/TransformingSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/TransformingSequence$iterator$1; HPLkotlin/sequences/TransformingSequence$iterator$1;->(Lkotlin/sequences/TransformingSequence;)V @@ -18272,7 +18362,7 @@ HPLkotlin/text/CharsKt__CharJVMKt;->checkRadix(I)I PLkotlin/text/CharsKt__CharJVMKt;->digitOf(CI)I HPLkotlin/text/CharsKt__CharJVMKt;->isWhitespace(C)Z Lkotlin/text/CharsKt__CharKt; -PLkotlin/text/CharsKt__CharKt;->equals(CCZ)Z +HPLkotlin/text/CharsKt__CharKt;->equals(CCZ)Z PLkotlin/text/CharsKt__CharKt;->titlecase(C)Ljava/lang/String; Lkotlin/text/Charsets; HSPLkotlin/text/Charsets;->()V @@ -18325,7 +18415,7 @@ PLkotlin/text/StringsKt__StringsJVMKt;->endsWith(Ljava/lang/String;Ljava/lang/St HPLkotlin/text/StringsKt__StringsJVMKt;->equals(Ljava/lang/String;Ljava/lang/String;Z)Z PLkotlin/text/StringsKt__StringsJVMKt;->getCASE_INSENSITIVE_ORDER(Lkotlin/jvm/internal/StringCompanionObject;)Ljava/util/Comparator; HPLkotlin/text/StringsKt__StringsJVMKt;->isBlank(Ljava/lang/CharSequence;)Z -HSPLkotlin/text/StringsKt__StringsJVMKt;->regionMatches(Ljava/lang/String;ILjava/lang/String;IIZ)Z +HPLkotlin/text/StringsKt__StringsJVMKt;->regionMatches(Ljava/lang/String;ILjava/lang/String;IIZ)Z PLkotlin/text/StringsKt__StringsJVMKt;->replace$default(Ljava/lang/String;CCZILjava/lang/Object;)Ljava/lang/String; PLkotlin/text/StringsKt__StringsJVMKt;->replace(Ljava/lang/String;CCZ)Ljava/lang/String; PLkotlin/text/StringsKt__StringsJVMKt;->startsWith$default(Ljava/lang/String;Ljava/lang/String;ZILjava/lang/Object;)Z @@ -18353,7 +18443,7 @@ PLkotlin/text/StringsKt__StringsKt;->removeSuffix(Ljava/lang/String;Ljava/lang/C PLkotlin/text/StringsKt__StringsKt;->requireNonNegativeLimit(I)V HPLkotlin/text/StringsKt__StringsKt;->split$StringsKt__StringsKt(Ljava/lang/CharSequence;Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[CZIILjava/lang/Object;)Ljava/util/List; -HPLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; +PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[CZI)Ljava/util/List; HPLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->startsWith$default(Ljava/lang/CharSequence;Ljava/lang/CharSequence;ZILjava/lang/Object;)Z @@ -18368,12 +18458,13 @@ Lkotlin/text/StringsKt___StringsKt; HPLkotlin/text/StringsKt___StringsKt;->last(Ljava/lang/CharSequence;)C HPLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; PLkotlin/time/Duration;->()V +PLkotlin/time/Duration;->access$getZERO$cp()J PLkotlin/time/Duration;->constructor-impl(J)J PLkotlin/time/Duration;->getInWholeDays-impl(J)J -PLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J +HPLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J PLkotlin/time/Duration;->getInWholeSeconds-impl(J)J PLkotlin/time/Duration;->getNanosecondsComponent-impl(J)I -PLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; +HPLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; PLkotlin/time/Duration;->getValue-impl(J)J PLkotlin/time/Duration;->isInMillis-impl(J)Z PLkotlin/time/Duration;->isInNanos-impl(J)Z @@ -18382,6 +18473,7 @@ PLkotlin/time/Duration;->plus-LRDsOJo(JJ)J HPLkotlin/time/Duration;->toLong-impl(JLkotlin/time/DurationUnit;)J PLkotlin/time/Duration$Companion;->()V PLkotlin/time/Duration$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLkotlin/time/Duration$Companion;->getZERO-UwyO8pc()J PLkotlin/time/DurationJvmKt;->()V PLkotlin/time/DurationJvmKt;->getDurationAssertionsEnabled()Z PLkotlin/time/DurationKt;->access$durationOfMillis(J)J @@ -18397,11 +18489,11 @@ PLkotlin/time/DurationUnit;->(Ljava/lang/String;ILjava/util/concurrent/Tim PLkotlin/time/DurationUnit;->getTimeUnit$kotlin_stdlib()Ljava/util/concurrent/TimeUnit; HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnit(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnitOverflow(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J -PLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J +HPLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/LongSaturatedMathKt;->saturatingFiniteDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/MonotonicTimeSource;->()V PLkotlin/time/MonotonicTimeSource;->()V -PLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J +HPLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J PLkotlin/time/MonotonicTimeSource;->markNow-z9LOYto()J PLkotlin/time/MonotonicTimeSource;->read()J PLkotlin/time/TimeSource$Monotonic;->()V @@ -18473,7 +18565,7 @@ HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->()V HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V -HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; +HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->addAll(Ljava/util/Collection;)Lkotlinx/collections/immutable/PersistentList; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->builder()Lkotlinx/collections/immutable/PersistentList$Builder; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->get(I)Ljava/lang/Object; @@ -18514,7 +18606,7 @@ HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$kotlinx_collections_immutable(I)I HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z @@ -18594,7 +18686,7 @@ HSPLkotlinx/collections/immutable/internal/MutabilityOwnership;->()V Lkotlinx/coroutines/AbstractCoroutine; HPLkotlinx/coroutines/AbstractCoroutine;->(Lkotlin/coroutines/CoroutineContext;ZZ)V HPLkotlinx/coroutines/AbstractCoroutine;->afterResume(Ljava/lang/Object;)V -PLkotlinx/coroutines/AbstractCoroutine;->cancellationExceptionMessage()Ljava/lang/String; +HPLkotlinx/coroutines/AbstractCoroutine;->cancellationExceptionMessage()Ljava/lang/String; HPLkotlinx/coroutines/AbstractCoroutine;->getContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->isActive()Z @@ -18605,7 +18697,7 @@ HPLkotlinx/coroutines/AbstractCoroutine;->resumeWith(Ljava/lang/Object;)V HPLkotlinx/coroutines/AbstractCoroutine;->start(Lkotlinx/coroutines/CoroutineStart;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V Lkotlinx/coroutines/AbstractTimeSourceKt; HSPLkotlinx/coroutines/AbstractTimeSourceKt;->()V -HPLkotlinx/coroutines/AbstractTimeSourceKt;->getTimeSource()Lkotlinx/coroutines/AbstractTimeSource; +HPLkotlinx/coroutines/AbstractTimeSourceKt;->access$getTimeSource$p()Lkotlinx/coroutines/AbstractTimeSource; Lkotlinx/coroutines/Active; HSPLkotlinx/coroutines/Active;->()V HSPLkotlinx/coroutines/Active;->()V @@ -18664,6 +18756,7 @@ HPLkotlinx/coroutines/CancellableContinuationImpl;->installParentHandle()Lkotlin HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlin/jvm/functions/Function1;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellationImpl(Ljava/lang/Object;)V +PLkotlinx/coroutines/CancellableContinuationImpl;->isCancelled()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isCompleted()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isReusable()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->makeCancelHandler(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/CancelHandler; @@ -18728,7 +18821,7 @@ Lkotlinx/coroutines/CopyableThreadContextElement; Lkotlinx/coroutines/CoroutineContextKt; HPLkotlinx/coroutines/CoroutineContextKt;->foldCopies(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext;Z)Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/CoroutineContextKt;->hasCopyableElements(Lkotlin/coroutines/CoroutineContext;)Z -HSPLkotlinx/coroutines/CoroutineContextKt;->newCoroutineContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; +HPLkotlinx/coroutines/CoroutineContextKt;->newCoroutineContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/CoroutineContextKt;->newCoroutineContext(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/CoroutineContextKt$hasCopyableElements$1; HSPLkotlinx/coroutines/CoroutineContextKt$hasCopyableElements$1;->()V @@ -18743,7 +18836,7 @@ HPLkotlinx/coroutines/CoroutineDispatcher;->interceptContinuation(Lkotlin/corout HSPLkotlinx/coroutines/CoroutineDispatcher;->isDispatchNeeded(Lkotlin/coroutines/CoroutineContext;)Z HSPLkotlinx/coroutines/CoroutineDispatcher;->limitedParallelism(I)Lkotlinx/coroutines/CoroutineDispatcher; HPLkotlinx/coroutines/CoroutineDispatcher;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; -HPLkotlinx/coroutines/CoroutineDispatcher;->releaseInterceptedContinuation(Lkotlin/coroutines/Continuation;)V +HSPLkotlinx/coroutines/CoroutineDispatcher;->releaseInterceptedContinuation(Lkotlin/coroutines/Continuation;)V Lkotlinx/coroutines/CoroutineDispatcher$Key; HSPLkotlinx/coroutines/CoroutineDispatcher$Key;->()V HSPLkotlinx/coroutines/CoroutineDispatcher$Key;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -18797,6 +18890,7 @@ PLkotlinx/coroutines/DeferredCoroutine;->(Lkotlin/coroutines/CoroutineCont PLkotlinx/coroutines/DeferredCoroutine;->await$suspendImpl(Lkotlinx/coroutines/DeferredCoroutine;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/DeferredCoroutine;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/Delay; +PLkotlinx/coroutines/DelayKt;->delay(JLkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/DispatchedCoroutine; HSPLkotlinx/coroutines/DispatchedCoroutine;->()V HSPLkotlinx/coroutines/DispatchedCoroutine;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/Continuation;)V @@ -18834,7 +18928,7 @@ Lkotlinx/coroutines/EventLoop; HSPLkotlinx/coroutines/EventLoop;->()V PLkotlinx/coroutines/EventLoop;->decrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V HPLkotlinx/coroutines/EventLoop;->decrementUseCount(Z)V -HSPLkotlinx/coroutines/EventLoop;->delta(Z)J +HPLkotlinx/coroutines/EventLoop;->delta(Z)J HPLkotlinx/coroutines/EventLoop;->dispatchUnconfined(Lkotlinx/coroutines/DispatchedTask;)V PLkotlinx/coroutines/EventLoop;->getNextTime()J HSPLkotlinx/coroutines/EventLoop;->incrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V @@ -18845,7 +18939,7 @@ Lkotlinx/coroutines/EventLoopImplBase; HSPLkotlinx/coroutines/EventLoopImplBase;->()V HSPLkotlinx/coroutines/EventLoopImplBase;->()V PLkotlinx/coroutines/EventLoopImplBase;->closeQueue()V -PLkotlinx/coroutines/EventLoopImplBase;->dequeue()Ljava/lang/Runnable; +HPLkotlinx/coroutines/EventLoopImplBase;->dequeue()Ljava/lang/Runnable; PLkotlinx/coroutines/EventLoopImplBase;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V PLkotlinx/coroutines/EventLoopImplBase;->enqueue(Ljava/lang/Runnable;)V PLkotlinx/coroutines/EventLoopImplBase;->enqueueImpl(Ljava/lang/Runnable;)Z @@ -18889,7 +18983,7 @@ PLkotlinx/coroutines/InvokeOnCancelling;->(Lkotlin/jvm/functions/Function1 PLkotlinx/coroutines/InvokeOnCancelling;->get_invoked$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; PLkotlinx/coroutines/InvokeOnCancelling;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/InvokeOnCompletion; -HSPLkotlinx/coroutines/InvokeOnCompletion;->(Lkotlin/jvm/functions/Function1;)V +HPLkotlinx/coroutines/InvokeOnCompletion;->(Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/InvokeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/Job; HSPLkotlinx/coroutines/Job;->()V @@ -18903,7 +18997,7 @@ HSPLkotlinx/coroutines/Job$DefaultImpls;->plus(Lkotlinx/coroutines/Job;Lkotlin/c Lkotlinx/coroutines/Job$Key; HSPLkotlinx/coroutines/Job$Key;->()V HSPLkotlinx/coroutines/Job$Key;->()V -PLkotlinx/coroutines/JobCancellationException;->(Ljava/lang/String;Ljava/lang/Throwable;Lkotlinx/coroutines/Job;)V +HPLkotlinx/coroutines/JobCancellationException;->(Ljava/lang/String;Ljava/lang/Throwable;Lkotlinx/coroutines/Job;)V PLkotlinx/coroutines/JobCancellationException;->equals(Ljava/lang/Object;)Z HPLkotlinx/coroutines/JobCancellationException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/JobCancellingNode; @@ -18911,13 +19005,14 @@ HPLkotlinx/coroutines/JobCancellingNode;->()V Lkotlinx/coroutines/JobImpl; HPLkotlinx/coroutines/JobImpl;->(Lkotlinx/coroutines/Job;)V PLkotlinx/coroutines/JobImpl;->complete()Z +PLkotlinx/coroutines/JobImpl;->completeExceptionally(Ljava/lang/Throwable;)Z HSPLkotlinx/coroutines/JobImpl;->getHandlesException$kotlinx_coroutines_core()Z PLkotlinx/coroutines/JobImpl;->getOnCancelComplete$kotlinx_coroutines_core()Z HPLkotlinx/coroutines/JobImpl;->handlesException()Z Lkotlinx/coroutines/JobKt; HSPLkotlinx/coroutines/JobKt;->Job$default(Lkotlinx/coroutines/Job;ILjava/lang/Object;)Lkotlinx/coroutines/CompletableJob; HSPLkotlinx/coroutines/JobKt;->Job(Lkotlinx/coroutines/Job;)Lkotlinx/coroutines/CompletableJob; -HSPLkotlinx/coroutines/JobKt;->ensureActive(Lkotlin/coroutines/CoroutineContext;)V +HPLkotlinx/coroutines/JobKt;->ensureActive(Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/JobKt;->ensureActive(Lkotlinx/coroutines/Job;)V HSPLkotlinx/coroutines/JobKt;->getJob(Lkotlin/coroutines/CoroutineContext;)Lkotlinx/coroutines/Job; PLkotlinx/coroutines/JobKt;->isActive(Lkotlin/coroutines/CoroutineContext;)Z @@ -18955,7 +19050,7 @@ HPLkotlinx/coroutines/JobSupport;->cancelParent(Ljava/lang/Throwable;)Z PLkotlinx/coroutines/JobSupport;->cancellationExceptionMessage()Ljava/lang/String; HPLkotlinx/coroutines/JobSupport;->childCancelled(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/JobSupport;->completeStateFinalization(Lkotlinx/coroutines/Incomplete;Ljava/lang/Object;)V -PLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V +HPLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport;->createCauseException(Ljava/lang/Object;)Ljava/lang/Throwable; HPLkotlinx/coroutines/JobSupport;->finalizeFinishingState(Lkotlinx/coroutines/JobSupport$Finishing;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->firstChild(Lkotlinx/coroutines/Incomplete;)Lkotlinx/coroutines/ChildHandleNode; @@ -18972,7 +19067,8 @@ HPLkotlinx/coroutines/JobSupport;->getState$kotlinx_coroutines_core()Ljava/lang/ HPLkotlinx/coroutines/JobSupport;->get_parentHandle$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport;->initParentJob(Lkotlinx/coroutines/Job;)V -HSPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; +HPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; +HPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(ZZLkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; HPLkotlinx/coroutines/JobSupport;->isActive()Z PLkotlinx/coroutines/JobSupport;->isCancelled()Z HPLkotlinx/coroutines/JobSupport;->isCompleted()Z @@ -18982,7 +19078,7 @@ PLkotlinx/coroutines/JobSupport;->joinInternal()Z PLkotlinx/coroutines/JobSupport;->joinSuspend(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeCancelling(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeCompleting$kotlinx_coroutines_core(Ljava/lang/Object;)Z -HPLkotlinx/coroutines/JobSupport;->makeCompletingOnce$kotlinx_coroutines_core(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/JobSupport;->makeCompletingOnce$kotlinx_coroutines_core(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeNode(Lkotlin/jvm/functions/Function1;Z)Lkotlinx/coroutines/JobNode; HPLkotlinx/coroutines/JobSupport;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/JobSupport;->nextChild(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Lkotlinx/coroutines/ChildHandleNode; @@ -19026,7 +19122,7 @@ PLkotlinx/coroutines/JobSupport$Finishing;->isSealed()Z HPLkotlinx/coroutines/JobSupport$Finishing;->sealLocked(Ljava/lang/Throwable;)Ljava/util/List; HPLkotlinx/coroutines/JobSupport$Finishing;->setCompleting(Z)V HPLkotlinx/coroutines/JobSupport$Finishing;->setExceptionsHolder(Ljava/lang/Object;)V -PLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V +HPLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V Lkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1; HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/JobSupport;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->prepare(Ljava/lang/Object;)Ljava/lang/Object; @@ -19036,10 +19132,13 @@ HSPLkotlinx/coroutines/JobSupportKt;->()V HPLkotlinx/coroutines/JobSupportKt;->access$getCOMPLETING_ALREADY$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/JobSupportKt;->access$getCOMPLETING_RETRY$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/JobSupportKt;->access$getEMPTY_ACTIVE$p()Lkotlinx/coroutines/Empty; +PLkotlinx/coroutines/JobSupportKt;->access$getEMPTY_NEW$p()Lkotlinx/coroutines/Empty; HPLkotlinx/coroutines/JobSupportKt;->access$getSEALED$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/JobSupportKt;->access$getTOO_LATE_TO_CANCEL$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/JobSupportKt;->boxIncomplete(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/JobSupportKt;->unboxState(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/LazyStandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function2;)V +PLkotlinx/coroutines/LazyStandaloneCoroutine;->onStart()V Lkotlinx/coroutines/MainCoroutineDispatcher; HSPLkotlinx/coroutines/MainCoroutineDispatcher;->()V Lkotlinx/coroutines/NodeList; @@ -19055,6 +19154,7 @@ Lkotlinx/coroutines/ParentJob; PLkotlinx/coroutines/ResumeAwaitOnCompletion;->(Lkotlinx/coroutines/CancellableContinuationImpl;)V HPLkotlinx/coroutines/ResumeAwaitOnCompletion;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/ResumeOnCompletion;->(Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/ResumeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/StandaloneCoroutine; HPLkotlinx/coroutines/StandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Z)V Lkotlinx/coroutines/SupervisorJobImpl; @@ -19118,6 +19218,7 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->access$getSendSegment$volatile$ HPLkotlinx/coroutines/channels/BufferedChannel;->access$getSendersAndCloseStatus$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->access$isClosedForSend0(Lkotlinx/coroutines/channels/BufferedChannel;J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->access$prepareReceiverForSuspension(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V +PLkotlinx/coroutines/channels/BufferedChannel;->access$prepareSenderForSuspension(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V HPLkotlinx/coroutines/channels/BufferedChannel;->access$updateCellReceive(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->access$updateCellSend(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I HPLkotlinx/coroutines/channels/BufferedChannel;->bufferOrRendezvousSend(J)Z @@ -19128,12 +19229,12 @@ PLkotlinx/coroutines/channels/BufferedChannel;->close(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/channels/BufferedChannel;->closeLinkedList()Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->closeOrCancelImpl(Ljava/lang/Throwable;Z)Z PLkotlinx/coroutines/channels/BufferedChannel;->completeCancel(J)V -PLkotlinx/coroutines/channels/BufferedChannel;->completeClose(J)Lkotlinx/coroutines/channels/ChannelSegment; +HPLkotlinx/coroutines/channels/BufferedChannel;->completeClose(J)Lkotlinx/coroutines/channels/ChannelSegment; PLkotlinx/coroutines/channels/BufferedChannel;->completeCloseOrCancel()V HSPLkotlinx/coroutines/channels/BufferedChannel;->dropFirstElementUntilTheSpecifiedCellIsInTheBuffer(J)V HPLkotlinx/coroutines/channels/BufferedChannel;->expandBuffer()V -PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEnd$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndCounter()J HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; @@ -19149,11 +19250,11 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->getSendersCounter$kotlinx_corou PLkotlinx/coroutines/channels/BufferedChannel;->get_closeCause$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts$default(Lkotlinx/coroutines/channels/BufferedChannel;JILjava/lang/Object;)V HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts(J)V -PLkotlinx/coroutines/channels/BufferedChannel;->invokeCloseHandler()V -HSPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z +HPLkotlinx/coroutines/channels/BufferedChannel;->invokeCloseHandler()V +HPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive0(J)Z -PLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend()Z +HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend0(J)Z PLkotlinx/coroutines/channels/BufferedChannel;->isConflatedDropOldest()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isRendezvousOrUnlimited()Z @@ -19161,12 +19262,13 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->iterator()Lkotlinx/coroutines/c PLkotlinx/coroutines/channels/BufferedChannel;->markAllEmptyCellsAsClosed(Lkotlinx/coroutines/channels/ChannelSegment;)J PLkotlinx/coroutines/channels/BufferedChannel;->markCancellationStarted()V PLkotlinx/coroutines/channels/BufferedChannel;->markCancelled()V -PLkotlinx/coroutines/channels/BufferedChannel;->markClosed()V +HPLkotlinx/coroutines/channels/BufferedChannel;->markClosed()V PLkotlinx/coroutines/channels/BufferedChannel;->onClosedIdempotent()V HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveDequeued()V HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveEnqueued()V HPLkotlinx/coroutines/channels/BufferedChannel;->prepareReceiverForSuspension(Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V -HPLkotlinx/coroutines/channels/BufferedChannel;->receive$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannel;->prepareSenderForSuspension(Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V +HSPLkotlinx/coroutines/channels/BufferedChannel;->receive$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/channels/BufferedChannel;->receive(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->receiveOnNoWaiterSuspend(Lkotlinx/coroutines/channels/ChannelSegment;IJLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/channels/BufferedChannel;->removeUnprocessedElements(Lkotlinx/coroutines/channels/ChannelSegment;)V @@ -19174,13 +19276,16 @@ PLkotlinx/coroutines/channels/BufferedChannel;->resumeReceiverOnClosedChannel(Lk HPLkotlinx/coroutines/channels/BufferedChannel;->resumeWaiterOnClosedChannel(Lkotlinx/coroutines/Waiter;Z)V HPLkotlinx/coroutines/channels/BufferedChannel;->send$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/channels/BufferedChannel;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannel;->sendOnNoWaiterSuspend(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->shouldSendSuspend(J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->tryReceive-PtdJZtk()Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->tryResumeReceiver(Ljava/lang/Object;Ljava/lang/Object;)Z +PLkotlinx/coroutines/channels/BufferedChannel;->tryResumeSender(Ljava/lang/Object;Lkotlinx/coroutines/channels/ChannelSegment;I)Z HPLkotlinx/coroutines/channels/BufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBuffer(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBufferSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellReceive(Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannel;->updateCellReceiveSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellSend(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I PLkotlinx/coroutines/channels/BufferedChannel;->updateCellSendSlow(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I HPLkotlinx/coroutines/channels/BufferedChannel;->waitExpandBufferCompletion$kotlinx_coroutines_core(J)V @@ -19207,6 +19312,7 @@ PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getIN_BUFFER$p()Lkotlin HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNO_CLOSE_CAUSE$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNO_RECEIVE_RESULT$p()Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNULL_SEGMENT$p()Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getPOISONED$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getRESUMING_BY_EB$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getRESUMING_BY_RCV$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getSUSPEND$p()Lkotlinx/coroutines/internal/Symbol; @@ -19218,6 +19324,7 @@ PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegment(JLkotlinx/corout PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegmentFunction()Lkotlin/reflect/KFunction; HPLkotlinx/coroutines/channels/BufferedChannelKt;->getCHANNEL_CLOSED()Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->initialBufferEnd(I)J +PLkotlinx/coroutines/channels/BufferedChannelKt;->tryResume0$default(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Z HPLkotlinx/coroutines/channels/BufferedChannelKt;->tryResume0(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Z PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V @@ -19242,9 +19349,9 @@ HPLkotlinx/coroutines/channels/ChannelKt;->Channel$default(ILkotlinx/coroutines/ HPLkotlinx/coroutines/channels/ChannelKt;->Channel(ILkotlinx/coroutines/channels/BufferOverflow;Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/channels/Channel; Lkotlinx/coroutines/channels/ChannelResult; HSPLkotlinx/coroutines/channels/ChannelResult;->()V -HPLkotlinx/coroutines/channels/ChannelResult;->access$getFailed$cp()Lkotlinx/coroutines/channels/ChannelResult$Failed; +HSPLkotlinx/coroutines/channels/ChannelResult;->access$getFailed$cp()Lkotlinx/coroutines/channels/ChannelResult$Failed; HSPLkotlinx/coroutines/channels/ChannelResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HSPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/channels/ChannelResult;->isSuccess-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/channels/ChannelResult$Companion; HSPLkotlinx/coroutines/channels/ChannelResult$Companion;->()V @@ -19281,6 +19388,7 @@ HSPLkotlinx/coroutines/channels/ProduceKt;->produce$default(Lkotlinx/coroutines/ HPLkotlinx/coroutines/channels/ProduceKt;->produce(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;Lkotlinx/coroutines/CoroutineStart;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/channels/ReceiveChannel; Lkotlinx/coroutines/channels/ProducerCoroutine; HSPLkotlinx/coroutines/channels/ProducerCoroutine;->(Lkotlin/coroutines/CoroutineContext;Lkotlinx/coroutines/channels/Channel;)V +PLkotlinx/coroutines/channels/ProducerCoroutine;->isActive()Z PLkotlinx/coroutines/channels/ProducerCoroutine;->onCancelled(Ljava/lang/Throwable;Z)V PLkotlinx/coroutines/channels/ProducerCoroutine;->onCompleted(Ljava/lang/Object;)V PLkotlinx/coroutines/channels/ProducerCoroutine;->onCompleted(Lkotlin/Unit;)V @@ -19296,6 +19404,10 @@ Lkotlinx/coroutines/flow/AbstractFlow$collect$1; HSPLkotlinx/coroutines/flow/AbstractFlow$collect$1;->(Lkotlinx/coroutines/flow/AbstractFlow;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/AbstractFlow$collect$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/CancellableFlow; +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)V +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->collectTo$suspendImpl(Lkotlinx/coroutines/flow/ChannelFlowBuilder;Lkotlinx/coroutines/channels/ProducerScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->collectTo(Lkotlinx/coroutines/channels/ProducerScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/DistinctFlowImpl; HSPLkotlinx/coroutines/flow/DistinctFlowImpl;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;)V HSPLkotlinx/coroutines/flow/DistinctFlowImpl;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19303,28 +19415,36 @@ Lkotlinx/coroutines/flow/DistinctFlowImpl$collect$2; HSPLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2;->(Lkotlinx/coroutines/flow/DistinctFlowImpl;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlinx/coroutines/flow/FlowCollector;)V HPLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2$emit$1;->(Lkotlinx/coroutines/flow/DistinctFlowImpl$collect$2;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2$emit$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowCollector; Lkotlinx/coroutines/flow/FlowKt; HSPLkotlinx/coroutines/flow/FlowKt;->buffer$default(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;ILjava/lang/Object;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->buffer(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->channelFlow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->collect(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->collectLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/flow/FlowKt;->conflate(Lkotlinx/coroutines/flow/Flow;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->distinctUntilChanged(Lkotlinx/coroutines/flow/Flow;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->dropWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->ensureActive(Lkotlinx/coroutines/flow/FlowCollector;)V PLkotlinx/coroutines/flow/FlowKt;->first(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->first(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->flow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->mapLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->onCompletion(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->onStart(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->shareIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;I)Lkotlinx/coroutines/flow/SharedFlow; HSPLkotlinx/coroutines/flow/FlowKt;->stateIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;Ljava/lang/Object;)Lkotlinx/coroutines/flow/StateFlow; +PLkotlinx/coroutines/flow/FlowKt;->takeWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->transformLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__BuildersKt; +PLkotlinx/coroutines/flow/FlowKt__BuildersKt;->channelFlow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HPLkotlinx/coroutines/flow/FlowKt__BuildersKt;->flow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__ChannelsKt; -PLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->access$emitAllImpl$FlowKt__ChannelsKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->access$emitAllImpl$FlowKt__ChannelsKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->emitAllImpl$FlowKt__ChannelsKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ChannelsKt$emitAllImpl$1; @@ -19333,6 +19453,7 @@ HPLkotlinx/coroutines/flow/FlowKt__ChannelsKt$emitAllImpl$1;->invokeSuspend(Ljav Lkotlinx/coroutines/flow/FlowKt__CollectKt; HSPLkotlinx/coroutines/flow/FlowKt__CollectKt;->collect(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt__CollectKt;->collectLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__CollectKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ContextKt; HSPLkotlinx/coroutines/flow/FlowKt__ContextKt;->buffer$default(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;ILjava/lang/Object;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt__ContextKt;->buffer(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/Flow; @@ -19349,11 +19470,25 @@ PLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultAreEquivalent$1;->invoke(Lja Lkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1; HSPLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->()V HSPLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->()V -PLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__EmittersKt; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->access$invokeSafely$FlowKt__EmittersKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/jvm/functions/Function3;Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt__EmittersKt;->ensureActive(Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->invokeSafely$FlowKt__EmittersKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/jvm/functions/Function3;Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->onCompletion(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->onStart(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$invokeSafely$1;->(Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1$1;->(Lkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1;->(Lkotlin/jvm/functions/Function2;Lkotlinx/coroutines/flow/Flow;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1$1;->(Lkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__LimitKt; HSPLkotlinx/coroutines/flow/FlowKt__LimitKt;->dropWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt__LimitKt;->takeWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$$inlined$unsafeFlow$1; HSPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$$inlined$unsafeFlow$1;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)V HSPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19361,13 +19496,21 @@ Lkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1; HSPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1;->(Lkotlin/jvm/internal/Ref$BooleanRef;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/jvm/functions/Function2;)V HPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1$emit$1;->(Lkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1$emit$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1$1;->(Lkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1;->(Lkotlin/jvm/functions/Function2;Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1$1;->(Lkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1;Lkotlin/coroutines/Continuation;)V Lkotlinx/coroutines/flow/FlowKt__MergeKt; HSPLkotlinx/coroutines/flow/FlowKt__MergeKt;->()V HPLkotlinx/coroutines/flow/FlowKt__MergeKt;->mapLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt__MergeKt;->transformLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1; HPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ReduceKt; @@ -19388,6 +19531,7 @@ PLkotlinx/coroutines/flow/FlowKt__ReduceKt$first$3;->invokeSuspend(Ljava/lang/Ob Lkotlinx/coroutines/flow/FlowKt__ShareKt; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt;->configureSharing$FlowKt__ShareKt(Lkotlinx/coroutines/flow/Flow;I)Lkotlinx/coroutines/flow/SharingConfig; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt;->launchSharing$FlowKt__ShareKt(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/flow/MutableSharedFlow;Lkotlinx/coroutines/flow/SharingStarted;Ljava/lang/Object;)Lkotlinx/coroutines/Job; +PLkotlinx/coroutines/flow/FlowKt__ShareKt;->shareIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;I)Lkotlinx/coroutines/flow/SharedFlow; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt;->stateIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;Ljava/lang/Object;)Lkotlinx/coroutines/flow/StateFlow; Lkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1;->(Lkotlinx/coroutines/flow/SharingStarted;Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/flow/MutableSharedFlow;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V @@ -19397,13 +19541,15 @@ HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1;->invoke(Lkotlinx/co HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/flow/MutableSharedFlow;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2$WhenMappings;->()V Lkotlinx/coroutines/flow/MutableSharedFlow; Lkotlinx/coroutines/flow/MutableStateFlow; +PLkotlinx/coroutines/flow/ReadonlySharedFlow;->(Lkotlinx/coroutines/flow/SharedFlow;Lkotlinx/coroutines/Job;)V +PLkotlinx/coroutines/flow/ReadonlySharedFlow;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/ReadonlyStateFlow; HSPLkotlinx/coroutines/flow/ReadonlyStateFlow;->(Lkotlinx/coroutines/flow/StateFlow;Lkotlinx/coroutines/Job;)V HSPLkotlinx/coroutines/flow/ReadonlyStateFlow;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19426,7 +19572,7 @@ HSPLkotlinx/coroutines/flow/SharedFlowImpl;->createSlotArray(I)[Lkotlinx/corouti HSPLkotlinx/coroutines/flow/SharedFlowImpl;->dropOldestLocked()V HSPLkotlinx/coroutines/flow/SharedFlowImpl;->enqueueLocked(Ljava/lang/Object;)V HPLkotlinx/coroutines/flow/SharedFlowImpl;->findSlotsToResumeLocked([Lkotlin/coroutines/Continuation;)[Lkotlin/coroutines/Continuation; -HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getBufferEndIndex()J +HPLkotlinx/coroutines/flow/SharedFlowImpl;->getBufferEndIndex()J HPLkotlinx/coroutines/flow/SharedFlowImpl;->getHead()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getLastReplayedLocked()Ljava/lang/Object; HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getPeekedValueLockedAt(J)Ljava/lang/Object; @@ -19434,6 +19580,7 @@ PLkotlinx/coroutines/flow/SharedFlowImpl;->getQueueEndIndex()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getReplaySize()I HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getTotalSize()I HSPLkotlinx/coroutines/flow/SharedFlowImpl;->growBuffer([Ljava/lang/Object;II)[Ljava/lang/Object; +PLkotlinx/coroutines/flow/SharedFlowImpl;->resetReplayCache()V HSPLkotlinx/coroutines/flow/SharedFlowImpl;->tryEmit(Ljava/lang/Object;)Z HPLkotlinx/coroutines/flow/SharedFlowImpl;->tryEmitLocked(Ljava/lang/Object;)Z HSPLkotlinx/coroutines/flow/SharedFlowImpl;->tryEmitNoCollectorsLocked(Ljava/lang/Object;)Z @@ -19456,7 +19603,7 @@ HSPLkotlinx/coroutines/flow/SharedFlowKt;->setBufferAt([Ljava/lang/Object;JLjava Lkotlinx/coroutines/flow/SharedFlowSlot; HSPLkotlinx/coroutines/flow/SharedFlowSlot;->()V HSPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Ljava/lang/Object;)Z -HPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)Z +HSPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)Z HSPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Ljava/lang/Object;)[Lkotlin/coroutines/Continuation; HPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)[Lkotlin/coroutines/Continuation; PLkotlinx/coroutines/flow/SharingCommand;->$values()[Lkotlinx/coroutines/flow/SharingCommand; @@ -19474,25 +19621,28 @@ HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->WhileSubscribed$default(L HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->WhileSubscribed(JJ)Lkotlinx/coroutines/flow/SharingStarted; HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->getEagerly()Lkotlinx/coroutines/flow/SharingStarted; HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->getLazily()Lkotlinx/coroutines/flow/SharingStarted; +PLkotlinx/coroutines/flow/SharingStartedKt;->WhileSubscribed-5qebJ5I(Lkotlinx/coroutines/flow/SharingStarted$Companion;JJ)Lkotlinx/coroutines/flow/SharingStarted; Lkotlinx/coroutines/flow/StartedEagerly; HSPLkotlinx/coroutines/flow/StartedEagerly;->()V Lkotlinx/coroutines/flow/StartedLazily; HSPLkotlinx/coroutines/flow/StartedLazily;->()V Lkotlinx/coroutines/flow/StartedWhileSubscribed; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->(JJ)V +PLkotlinx/coroutines/flow/StartedWhileSubscribed;->access$getReplayExpiration$p(Lkotlinx/coroutines/flow/StartedWhileSubscribed;)J +PLkotlinx/coroutines/flow/StartedWhileSubscribed;->access$getStopTimeout$p(Lkotlinx/coroutines/flow/StartedWhileSubscribed;)J HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->command(Lkotlinx/coroutines/flow/StateFlow;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->equals(Ljava/lang/Object;)Z Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$1; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->(Lkotlinx/coroutines/flow/StartedWhileSubscribed;Lkotlin/coroutines/Continuation;)V HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$2; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->(Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/StateFlow; Lkotlinx/coroutines/flow/StateFlowImpl; HSPLkotlinx/coroutines/flow/StateFlowImpl;->()V @@ -19529,8 +19679,9 @@ HPLkotlinx/coroutines/flow/StateFlowSlot;->makePending()V HPLkotlinx/coroutines/flow/StateFlowSlot;->takePending()Z Lkotlinx/coroutines/flow/SubscribedFlowCollector; Lkotlinx/coroutines/flow/ThrowingCollector; +PLkotlinx/coroutines/flow/ThrowingCollector;->(Ljava/lang/Throwable;)V Lkotlinx/coroutines/flow/internal/AbortFlowException; -PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Ljava/lang/Object;)V HPLkotlinx/coroutines/flow/internal/AbortFlowException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/AbstractSharedFlow; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V @@ -19550,17 +19701,17 @@ HPLkotlinx/coroutines/flow/internal/ChannelFlow;->(Lkotlin/coroutines/Coro HPLkotlinx/coroutines/flow/internal/ChannelFlow;->collect$suspendImpl(Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->fuse(Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/Flow; -HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->getCollectToFun$kotlinx_coroutines_core()Lkotlin/jvm/functions/Function2; +HPLkotlinx/coroutines/flow/internal/ChannelFlow;->getCollectToFun$kotlinx_coroutines_core()Lkotlin/jvm/functions/Function2; HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->getProduceCapacity$kotlinx_coroutines_core()I HPLkotlinx/coroutines/flow/internal/ChannelFlow;->produceImpl(Lkotlinx/coroutines/CoroutineScope;)Lkotlinx/coroutines/channels/ReceiveChannel; Lkotlinx/coroutines/flow/internal/ChannelFlow$collect$2; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -HSPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1; -HSPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->(Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlin/coroutines/Continuation;)V +HPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->(Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlowOperator; @@ -19579,7 +19730,7 @@ HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->access$getTran HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->create(Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/internal/ChannelFlow; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->flowCollect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3; -HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)V +HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19593,11 +19744,11 @@ HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$2 HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$emit$1;->(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$emit$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/flow/internal/ChildCancelledException;->()V PLkotlinx/coroutines/flow/internal/ChildCancelledException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/DownstreamExceptionContext; -PLkotlinx/coroutines/flow/internal/DownstreamExceptionContext;->(Ljava/lang/Throwable;Lkotlin/coroutines/CoroutineContext;)V -PLkotlinx/coroutines/flow/internal/FlowExceptions_commonKt;->checkOwnership(Lkotlinx/coroutines/flow/internal/AbortFlowException;Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/internal/FlowExceptions_commonKt;->checkOwnership(Lkotlinx/coroutines/flow/internal/AbortFlowException;Ljava/lang/Object;)V Lkotlinx/coroutines/flow/internal/FusibleFlow; Lkotlinx/coroutines/flow/internal/FusibleFlow$DefaultImpls; HSPLkotlinx/coroutines/flow/internal/FusibleFlow$DefaultImpls;->fuse$default(Lkotlinx/coroutines/flow/internal/FusibleFlow;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;ILjava/lang/Object;)Lkotlinx/coroutines/flow/Flow; @@ -19607,6 +19758,7 @@ HSPLkotlinx/coroutines/flow/internal/NoOpContinuation;->()V Lkotlinx/coroutines/flow/internal/NopCollector; HSPLkotlinx/coroutines/flow/internal/NopCollector;->()V HSPLkotlinx/coroutines/flow/internal/NopCollector;->()V +PLkotlinx/coroutines/flow/internal/NopCollector;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/NullSurrogateKt; HSPLkotlinx/coroutines/flow/internal/NullSurrogateKt;->()V Lkotlinx/coroutines/flow/internal/SafeCollector; @@ -19654,17 +19806,17 @@ HPLkotlinx/coroutines/internal/AtomicOp;->perform(Ljava/lang/Object;)Ljava/lang/ Lkotlinx/coroutines/internal/ConcurrentLinkedListKt; HSPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->access$getCLOSED$p()Lkotlinx/coroutines/internal/Symbol; -PLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->close(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; +HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->close(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->findSegmentInternal(Lkotlinx/coroutines/internal/Segment;JLkotlin/jvm/functions/Function2;)Ljava/lang/Object; Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)V -HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; +HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->cleanPrev()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNext()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNextOrClosed()Ljava/lang/Object; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getPrev()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; -HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; +HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_prev$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->markAsClosed()Z PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->trySetNext(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Z @@ -19673,6 +19825,7 @@ HPLkotlinx/coroutines/internal/ContextScope;->(Lkotlin/coroutines/Coroutin HPLkotlinx/coroutines/internal/ContextScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/internal/DispatchedContinuation; HSPLkotlinx/coroutines/internal/DispatchedContinuation;->()V +HPLkotlinx/coroutines/internal/DispatchedContinuation;->(Lkotlinx/coroutines/CoroutineDispatcher;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->awaitReusability$kotlinx_coroutines_core()V PLkotlinx/coroutines/internal/DispatchedContinuation;->cancelCompletedResult$kotlinx_coroutines_core(Ljava/lang/Object;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->claimReusableCancellableContinuation$kotlinx_coroutines_core()Lkotlinx/coroutines/CancellableContinuationImpl; @@ -19723,6 +19876,7 @@ HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->()V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->addOneIfEmpty(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Z +HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->correctPrev(Lkotlinx/coroutines/internal/OpDescriptor;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; PLkotlinx/coroutines/internal/LockFreeLinkedListNode;->findPrevNonRemoved(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->getNext()Ljava/lang/Object; @@ -19746,12 +19900,17 @@ HSPLkotlinx/coroutines/internal/LockFreeTaskQueue;->(Z)V HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->addLast(Ljava/lang/Object;)Z HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->get_cur$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; +HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->(IZ)V +HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->addLast(Ljava/lang/Object;)I +PLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->close()Z HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getArray()Ljava/util/concurrent/atomic/AtomicReferenceArray; HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; +PLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->isEmpty()Z +HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -19833,6 +19992,7 @@ Lkotlinx/coroutines/internal/ThreadLocalKt; HSPLkotlinx/coroutines/internal/ThreadLocalKt;->commonThreadLocal(Lkotlinx/coroutines/internal/Symbol;)Ljava/lang/ThreadLocal; Lkotlinx/coroutines/intrinsics/CancellableKt; HPLkotlinx/coroutines/intrinsics/CancellableKt;->startCoroutineCancellable$default(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)V +PLkotlinx/coroutines/intrinsics/CancellableKt;->startCoroutineCancellable(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/intrinsics/CancellableKt;->startCoroutineCancellable(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;Lkotlin/jvm/functions/Function1;)V Lkotlinx/coroutines/intrinsics/UndispatchedKt; HPLkotlinx/coroutines/intrinsics/UndispatchedKt;->startCoroutineUndispatched(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V @@ -19841,8 +20001,8 @@ Lkotlinx/coroutines/scheduling/CoroutineScheduler; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->(IIJLjava/lang/String;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->access$getControlState$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->addToGlobalQueue(Lkotlinx/coroutines/scheduling/Task;)Z -HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I +HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->addToGlobalQueue(Lkotlinx/coroutines/scheduling/Task;)Z +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createTask(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->currentWorker()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->dispatch(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;Z)V @@ -19866,7 +20026,7 @@ HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->access$getThis$0$p(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Lkotlinx/coroutines/scheduling/CoroutineScheduler; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->afterTask(I)V @@ -19884,14 +20044,14 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->nextInt(I)I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->park()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->pollGlobalQueues()Lkotlinx/coroutines/scheduling/Task; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->run()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setNextParkedWorker(Ljava/lang/Object;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryAcquireCpuPermit()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryPark()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryReleaseCpu(Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;)Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->trySteal(I)Lkotlinx/coroutines/scheduling/Task; -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V +PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->$values()[Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->()V @@ -19922,7 +20082,7 @@ HPLkotlinx/coroutines/scheduling/Task;->(JLkotlinx/coroutines/scheduling/T Lkotlinx/coroutines/scheduling/TaskContext; Lkotlinx/coroutines/scheduling/TaskContextImpl; HSPLkotlinx/coroutines/scheduling/TaskContextImpl;->(I)V -HSPLkotlinx/coroutines/scheduling/TaskContextImpl;->afterTask()V +HPLkotlinx/coroutines/scheduling/TaskContextImpl;->afterTask()V HPLkotlinx/coroutines/scheduling/TaskContextImpl;->getTaskMode()I Lkotlinx/coroutines/scheduling/TaskImpl; HPLkotlinx/coroutines/scheduling/TaskImpl;->(Ljava/lang/Runnable;JLkotlinx/coroutines/scheduling/TaskContext;)V @@ -19950,7 +20110,6 @@ PLkotlinx/coroutines/scheduling/WorkQueue;->pollBlocking()Lkotlinx/coroutines/sc HPLkotlinx/coroutines/scheduling/WorkQueue;->pollBuffer()Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->pollWithExclusiveMode(Z)Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->stealWithExclusiveMode(I)Lkotlinx/coroutines/scheduling/Task; -PLkotlinx/coroutines/scheduling/WorkQueue;->tryExtractFromTheMiddle(IZ)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->trySteal(ILkotlin/jvm/internal/Ref$ObjectRef;)J HPLkotlinx/coroutines/scheduling/WorkQueue;->tryStealLastScheduled(ILkotlin/jvm/internal/Ref$ObjectRef;)J Lkotlinx/coroutines/selects/SelectInstance; @@ -19965,7 +20124,7 @@ PLkotlinx/coroutines/sync/MutexImpl;->getOwner$volatile$FU()Ljava/util/concurren PLkotlinx/coroutines/sync/MutexImpl;->isLocked()Z PLkotlinx/coroutines/sync/MutexImpl;->lock$suspendImpl(Lkotlinx/coroutines/sync/MutexImpl;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->lock(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/sync/MutexImpl;->lockSuspend(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLkotlinx/coroutines/sync/MutexImpl;->lockSuspend(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->tryLock(Ljava/lang/Object;)Z PLkotlinx/coroutines/sync/MutexImpl;->tryLockImpl(Ljava/lang/Object;)I HPLkotlinx/coroutines/sync/MutexImpl;->unlock(Ljava/lang/Object;)V @@ -19973,7 +20132,7 @@ PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->(Lk PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->completeResume(Ljava/lang/Object;)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; -PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +HPLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner$tryResume$token$1;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;)V Lkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1; HPLkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1;->(Lkotlinx/coroutines/sync/MutexImpl;)V @@ -19986,11 +20145,9 @@ Lkotlinx/coroutines/sync/Semaphore; Lkotlinx/coroutines/sync/SemaphoreImpl; HSPLkotlinx/coroutines/sync/SemaphoreImpl;->()V HPLkotlinx/coroutines/sync/SemaphoreImpl;->(II)V -PLkotlinx/coroutines/sync/SemaphoreImpl;->access$addAcquireToQueue(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire$suspendImpl(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlinx/coroutines/CancellableContinuation;)V -PLkotlinx/coroutines/sync/SemaphoreImpl;->acquireSlowPath(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/sync/SemaphoreImpl;->addAcquireToQueue(Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->decPermits()I PLkotlinx/coroutines/sync/SemaphoreImpl;->getAvailablePermits()I @@ -20042,7 +20199,7 @@ PLokhttp3/Address;->certificatePinner()Lokhttp3/CertificatePinner; PLokhttp3/Address;->connectionSpecs()Ljava/util/List; PLokhttp3/Address;->dns()Lokhttp3/Dns; HPLokhttp3/Address;->equalsNonHost$okhttp(Lokhttp3/Address;)Z -PLokhttp3/Address;->hashCode()I +HPLokhttp3/Address;->hashCode()I PLokhttp3/Address;->hostnameVerifier()Ljavax/net/ssl/HostnameVerifier; PLokhttp3/Address;->protocols()Ljava/util/List; PLokhttp3/Address;->proxy()Ljava/net/Proxy; @@ -20059,7 +20216,7 @@ PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;)V PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;Lokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/Cache;->get$okhttp(Lokhttp3/Request;)Lokhttp3/Response; PLokhttp3/Cache;->getWriteSuccessCount$okhttp()I -HPLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; +PLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; PLokhttp3/Cache;->remove$okhttp(Lokhttp3/Request;)V PLokhttp3/Cache;->setWriteSuccessCount$okhttp(I)V PLokhttp3/Cache;->trackResponse$okhttp(Lokhttp3/internal/cache/CacheStrategy;)V @@ -20067,12 +20224,12 @@ PLokhttp3/Cache$Companion;->()V PLokhttp3/Cache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/Cache$Companion;->hasVaryAll(Lokhttp3/Response;)Z PLokhttp3/Cache$Companion;->key(Lokhttp3/HttpUrl;)Ljava/lang/String; -PLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; +HPLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Headers;Lokhttp3/Headers;)Lokhttp3/Headers; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Response;)Lokhttp3/Headers; PLokhttp3/Cache$Entry;->()V HPLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V -HPLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V +PLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V HPLokhttp3/Cache$Entry;->writeTo(Lokhttp3/internal/cache/DiskLruCache$Editor;)V PLokhttp3/Cache$Entry$Companion;->()V PLokhttp3/Cache$Entry$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -20181,7 +20338,7 @@ PLokhttp3/CookieJar$Companion;->()V PLokhttp3/CookieJar$Companion$NoCookies;->()V PLokhttp3/CookieJar$Companion$NoCookies;->loadForRequest(Lokhttp3/HttpUrl;)Ljava/util/List; PLokhttp3/Dispatcher;->()V -PLokhttp3/Dispatcher;->enqueue$okhttp(Lokhttp3/internal/connection/RealCall$AsyncCall;)V +HPLokhttp3/Dispatcher;->enqueue$okhttp(Lokhttp3/internal/connection/RealCall$AsyncCall;)V PLokhttp3/Dispatcher;->executorService()Ljava/util/concurrent/ExecutorService; PLokhttp3/Dispatcher;->findExistingCallWithHost(Ljava/lang/String;)Lokhttp3/internal/connection/RealCall$AsyncCall; PLokhttp3/Dispatcher;->finished$okhttp(Lokhttp3/internal/connection/RealCall$AsyncCall;)V @@ -20197,7 +20354,9 @@ PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->cacheMiss(Lokhttp3/Call;)V PLokhttp3/EventListener;->callEnd(Lokhttp3/Call;)V +PLokhttp3/EventListener;->callFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->callStart(Lokhttp3/Call;)V +PLokhttp3/EventListener;->canceled(Lokhttp3/Call;)V PLokhttp3/EventListener;->connectEnd(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;Lokhttp3/Protocol;)V PLokhttp3/EventListener;->connectStart(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;)V PLokhttp3/EventListener;->connectionAcquired(Lokhttp3/Call;Lokhttp3/Connection;)V @@ -20303,7 +20462,7 @@ HSPLokhttp3/HttpUrl$Builder;->build()Lokhttp3/HttpUrl; PLokhttp3/HttpUrl$Builder;->encodedQuery(Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; HSPLokhttp3/HttpUrl$Builder;->getEncodedFragment$okhttp()Ljava/lang/String; HSPLokhttp3/HttpUrl$Builder;->getEncodedPassword$okhttp()Ljava/lang/String; -HSPLokhttp3/HttpUrl$Builder;->getEncodedPathSegments$okhttp()Ljava/util/List; +HPLokhttp3/HttpUrl$Builder;->getEncodedPathSegments$okhttp()Ljava/util/List; HSPLokhttp3/HttpUrl$Builder;->getEncodedQueryNamesAndValues$okhttp()Ljava/util/List; HSPLokhttp3/HttpUrl$Builder;->getEncodedUsername$okhttp()Ljava/lang/String; HSPLokhttp3/HttpUrl$Builder;->getHost$okhttp()Ljava/lang/String; @@ -20327,7 +20486,7 @@ PLokhttp3/HttpUrl$Builder;->username(Ljava/lang/String;)Lokhttp3/HttpUrl$Builder Lokhttp3/HttpUrl$Companion; HSPLokhttp3/HttpUrl$Companion;->()V HSPLokhttp3/HttpUrl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLokhttp3/HttpUrl$Companion;->defaultPort(Ljava/lang/String;)I +HPLokhttp3/HttpUrl$Companion;->defaultPort(Ljava/lang/String;)I HSPLokhttp3/HttpUrl$Companion;->get(Ljava/lang/String;)Lokhttp3/HttpUrl; PLokhttp3/MediaType;->()V PLokhttp3/MediaType;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;[Ljava/lang/String;)V @@ -20558,14 +20717,14 @@ PLokhttp3/internal/CommonHttpUrl;->commonNewBuilder(Lokhttp3/HttpUrl;Ljava/lang/ HPLokhttp3/internal/CommonHttpUrl;->commonParse$okhttp(Lokhttp3/HttpUrl$Builder;Lokhttp3/HttpUrl;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; PLokhttp3/internal/CommonHttpUrl;->commonPassword(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; PLokhttp3/internal/CommonHttpUrl;->commonPort(Lokhttp3/HttpUrl$Builder;I)Lokhttp3/HttpUrl$Builder; -PLokhttp3/internal/CommonHttpUrl;->commonRedact$okhttp(Lokhttp3/HttpUrl;)Ljava/lang/String; +HPLokhttp3/internal/CommonHttpUrl;->commonRedact$okhttp(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->commonResolve(Lokhttp3/HttpUrl;Ljava/lang/String;)Lokhttp3/HttpUrl; PLokhttp3/internal/CommonHttpUrl;->commonScheme(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; HSPLokhttp3/internal/CommonHttpUrl;->commonToHttpUrl$okhttp(Ljava/lang/String;)Lokhttp3/HttpUrl; HPLokhttp3/internal/CommonHttpUrl;->commonToString$okhttp(Lokhttp3/HttpUrl$Builder;)Ljava/lang/String; -PLokhttp3/internal/CommonHttpUrl;->commonToString(Lokhttp3/HttpUrl;)Ljava/lang/String; +HPLokhttp3/internal/CommonHttpUrl;->commonToString(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->commonUsername(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; -HSPLokhttp3/internal/CommonHttpUrl;->effectivePort$okhttp(Lokhttp3/HttpUrl$Builder;)I +HPLokhttp3/internal/CommonHttpUrl;->effectivePort$okhttp(Lokhttp3/HttpUrl$Builder;)I PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedFragment(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedPassword(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedPath(Lokhttp3/HttpUrl;)Ljava/lang/String; @@ -20574,16 +20733,16 @@ PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedQuery(Lokhttp3/HttpUrl;)Ljava PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedUsername(Lokhttp3/HttpUrl;)Ljava/lang/String; HPLokhttp3/internal/CommonHttpUrl;->isDot$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Z HPLokhttp3/internal/CommonHttpUrl;->isDotDot$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Z -HSPLokhttp3/internal/CommonHttpUrl;->percentDecode$okhttp$default(Lokhttp3/internal/CommonHttpUrl;Ljava/lang/String;IIZILjava/lang/Object;)Ljava/lang/String; +HPLokhttp3/internal/CommonHttpUrl;->percentDecode$okhttp$default(Lokhttp3/internal/CommonHttpUrl;Ljava/lang/String;IIZILjava/lang/Object;)Ljava/lang/String; HPLokhttp3/internal/CommonHttpUrl;->percentDecode$okhttp(Ljava/lang/String;IIZ)Ljava/lang/String; HSPLokhttp3/internal/CommonHttpUrl;->portColonOffset$okhttp(Ljava/lang/String;II)I HPLokhttp3/internal/CommonHttpUrl;->push$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;IIZZ)V HPLokhttp3/internal/CommonHttpUrl;->resolvePath$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;II)V -HSPLokhttp3/internal/CommonHttpUrl;->schemeDelimiterOffset$okhttp(Ljava/lang/String;II)I +HPLokhttp3/internal/CommonHttpUrl;->schemeDelimiterOffset$okhttp(Ljava/lang/String;II)I HSPLokhttp3/internal/CommonHttpUrl;->slashCount$okhttp(Ljava/lang/String;II)I HPLokhttp3/internal/CommonHttpUrl;->toPathString$okhttp(Ljava/util/List;Ljava/lang/StringBuilder;)V -PLokhttp3/internal/CommonHttpUrl;->toQueryNamesAndValues$okhttp(Ljava/lang/String;)Ljava/util/List; -PLokhttp3/internal/CommonHttpUrl;->toQueryString$okhttp(Ljava/util/List;Ljava/lang/StringBuilder;)V +HPLokhttp3/internal/CommonHttpUrl;->toQueryNamesAndValues$okhttp(Ljava/lang/String;)Ljava/util/List; +HPLokhttp3/internal/CommonHttpUrl;->toQueryString$okhttp(Ljava/util/List;Ljava/lang/StringBuilder;)V Lokhttp3/internal/HttpUrlCommon; HSPLokhttp3/internal/HttpUrlCommon;->()V HSPLokhttp3/internal/HttpUrlCommon;->()V @@ -20614,7 +20773,7 @@ HSPLokhttp3/internal/_HeadersCommonKt;->commonHeadersOf([Ljava/lang/String;)Lokh HPLokhttp3/internal/_HeadersCommonKt;->commonName(Lokhttp3/Headers;I)Ljava/lang/String; HPLokhttp3/internal/_HeadersCommonKt;->commonNewBuilder(Lokhttp3/Headers;)Lokhttp3/Headers$Builder; PLokhttp3/internal/_HeadersCommonKt;->commonRemoveAll(Lokhttp3/Headers$Builder;Ljava/lang/String;)Lokhttp3/Headers$Builder; -PLokhttp3/internal/_HeadersCommonKt;->commonSet(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; +HPLokhttp3/internal/_HeadersCommonKt;->commonSet(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/internal/_HeadersCommonKt;->commonValue(Lokhttp3/Headers;I)Ljava/lang/String; HPLokhttp3/internal/_HeadersCommonKt;->headersCheckName(Ljava/lang/String;)V HPLokhttp3/internal/_HeadersCommonKt;->headersCheckValue(Ljava/lang/String;Ljava/lang/String;)V @@ -20622,7 +20781,7 @@ Lokhttp3/internal/_HostnamesCommonKt; HSPLokhttp3/internal/_HostnamesCommonKt;->()V PLokhttp3/internal/_HostnamesCommonKt;->canParseAsIpAddress(Ljava/lang/String;)Z HPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidHostnameAsciiCodes(Ljava/lang/String;)Z -HSPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidLabelLengths(Ljava/lang/String;)Z +HPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidLabelLengths(Ljava/lang/String;)Z HPLokhttp3/internal/_HostnamesCommonKt;->idnToAscii(Ljava/lang/String;)Ljava/lang/String; HPLokhttp3/internal/_HostnamesCommonKt;->toCanonicalHost(Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_MediaTypeCommonKt;->()V @@ -20630,7 +20789,7 @@ HPLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lo PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaTypeOrNull(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToString(Lokhttp3/MediaType;)Ljava/lang/String; Lokhttp3/internal/_NormalizeJvmKt; -HSPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; Lokhttp3/internal/_RequestBodyCommonKt; PLokhttp3/internal/_RequestBodyCommonKt;->commonIsDuplex(Lokhttp3/RequestBody;)Z HSPLokhttp3/internal/_RequestBodyCommonKt;->commonToRequestBody([BLokhttp3/MediaType;II)Lokhttp3/RequestBody; @@ -20641,7 +20800,7 @@ HPLokhttp3/internal/_RequestCommonKt;->commonAddHeader(Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; HPLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request;Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_RequestCommonKt;->commonHeaders(Lokhttp3/Request$Builder;Lokhttp3/Headers;)Lokhttp3/Request$Builder; -PLokhttp3/internal/_RequestCommonKt;->commonMethod(Lokhttp3/Request$Builder;Ljava/lang/String;Lokhttp3/RequestBody;)Lokhttp3/Request$Builder; +HPLokhttp3/internal/_RequestCommonKt;->commonMethod(Lokhttp3/Request$Builder;Ljava/lang/String;Lokhttp3/RequestBody;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonRemoveHeader(Lokhttp3/Request$Builder;Ljava/lang/String;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonTag(Lokhttp3/Request$Builder;Lkotlin/reflect/KClass;Ljava/lang/Object;)Lokhttp3/Request$Builder; Lokhttp3/internal/_ResponseBodyCommonKt; @@ -20658,14 +20817,14 @@ HPLokhttp3/internal/_ResponseCommonKt;->commonHeader(Lokhttp3/Response;Ljava/lan PLokhttp3/internal/_ResponseCommonKt;->commonHeaders(Lokhttp3/Response$Builder;Lokhttp3/Headers;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonMessage(Lokhttp3/Response$Builder;Ljava/lang/String;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonNetworkResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; -HPLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; +PLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonPriorResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonProtocol(Lokhttp3/Response$Builder;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonRequest(Lokhttp3/Response$Builder;Lokhttp3/Request;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonTrailers(Lokhttp3/Response$Builder;Lkotlin/jvm/functions/Function0;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->getCommonCacheControl(Lokhttp3/Response;)Lokhttp3/CacheControl; PLokhttp3/internal/_ResponseCommonKt;->getCommonIsRedirect(Lokhttp3/Response;)Z -HPLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z +PLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->stripBody(Lokhttp3/Response;)Lokhttp3/Response; Lokhttp3/internal/_UtilCommonKt; HSPLokhttp3/internal/_UtilCommonKt;->()V @@ -20675,7 +20834,7 @@ PLokhttp3/internal/_UtilCommonKt;->and(IJ)J PLokhttp3/internal/_UtilCommonKt;->and(SI)I HSPLokhttp3/internal/_UtilCommonKt;->checkOffsetAndCount(JJJ)V PLokhttp3/internal/_UtilCommonKt;->closeQuietly(Ljava/io/Closeable;)V -PLokhttp3/internal/_UtilCommonKt;->delimiterOffset(Ljava/lang/String;CII)I +HPLokhttp3/internal/_UtilCommonKt;->delimiterOffset(Ljava/lang/String;CII)I HPLokhttp3/internal/_UtilCommonKt;->delimiterOffset(Ljava/lang/String;Ljava/lang/String;II)I PLokhttp3/internal/_UtilCommonKt;->getCommonEmptyHeaders()Lokhttp3/Headers; PLokhttp3/internal/_UtilCommonKt;->getCommonEmptyRequestBody()Lokhttp3/RequestBody; @@ -20693,9 +20852,10 @@ PLokhttp3/internal/_UtilCommonKt;->matchAtPolyfill(Lkotlin/text/Regex;Ljava/lang HPLokhttp3/internal/_UtilCommonKt;->readMedium(Lokio/BufferedSource;)I PLokhttp3/internal/_UtilCommonKt;->toLongOrDefault(Ljava/lang/String;J)J PLokhttp3/internal/_UtilCommonKt;->toNonNegativeInt(Ljava/lang/String;I)I +PLokhttp3/internal/_UtilCommonKt;->withSuppressed(Ljava/lang/Exception;Ljava/util/List;)Ljava/lang/Throwable; PLokhttp3/internal/_UtilCommonKt;->writeMedium(Lokio/BufferedSink;I)V -PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$aiIKyiCVQJMoJuLBZzlTCC9JyKk(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; -PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$zVjOF8EpEt9HO-4CCFO4lcqRfxo(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; +PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$ZdS4dfhTHo1yF9ojhmqiKNov7Oo(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; +PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$l8i63T3ps_ONtdNef1e9KEW8Pbs(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; PLokhttp3/internal/_UtilJvmKt;->()V PLokhttp3/internal/_UtilJvmKt;->asFactory$lambda$9(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; PLokhttp3/internal/_UtilJvmKt;->asFactory(Lokhttp3/EventListener;)Lokhttp3/EventListener$Factory; @@ -20705,14 +20865,14 @@ PLokhttp3/internal/_UtilJvmKt;->headersContentLength(Lokhttp3/Response;)J PLokhttp3/internal/_UtilJvmKt;->immutableListOf([Ljava/lang/Object;)Ljava/util/List; PLokhttp3/internal/_UtilJvmKt;->threadFactory$lambda$1(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/_UtilJvmKt;->threadFactory(Ljava/lang/String;Z)Ljava/util/concurrent/ThreadFactory; -HPLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; +PLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; PLokhttp3/internal/_UtilJvmKt;->toHostHeader$default(Lokhttp3/HttpUrl;ZILjava/lang/Object;)Ljava/lang/String; PLokhttp3/internal/_UtilJvmKt;->toHostHeader(Lokhttp3/HttpUrl;Z)Ljava/lang/String; -PLokhttp3/internal/_UtilJvmKt;->toImmutableList(Ljava/util/List;)Ljava/util/List; -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->(Ljava/lang/String;Z)V -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->(Lokhttp3/EventListener;)V -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->create(Lokhttp3/Call;)Lokhttp3/EventListener; +HPLokhttp3/internal/_UtilJvmKt;->toImmutableList(Ljava/util/List;)Ljava/util/List; +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->(Lokhttp3/EventListener;)V +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->create(Lokhttp3/Call;)Lokhttp3/EventListener; +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->(Ljava/lang/String;Z)V +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;)V PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/cache/CacheInterceptor;->()V @@ -20812,7 +20972,7 @@ PLokhttp3/internal/concurrent/TaskRunner;->getBackend()Lokhttp3/internal/concurr PLokhttp3/internal/concurrent/TaskRunner;->getCondition()Ljava/util/concurrent/locks/Condition; PLokhttp3/internal/concurrent/TaskRunner;->getLock()Ljava/util/concurrent/locks/ReentrantLock; PLokhttp3/internal/concurrent/TaskRunner;->getLogger$okhttp()Ljava/util/logging/Logger; -HPLokhttp3/internal/concurrent/TaskRunner;->kickCoordinator$okhttp(Lokhttp3/internal/concurrent/TaskQueue;)V +PLokhttp3/internal/concurrent/TaskRunner;->kickCoordinator$okhttp(Lokhttp3/internal/concurrent/TaskQueue;)V PLokhttp3/internal/concurrent/TaskRunner;->newQueue()Lokhttp3/internal/concurrent/TaskQueue; PLokhttp3/internal/concurrent/TaskRunner;->runTask(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskRunner$Companion;->()V @@ -20824,7 +20984,7 @@ PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->decorate(Ljava/util/concu PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->execute(Lokhttp3/internal/concurrent/TaskRunner;Ljava/lang/Runnable;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->nanoTime()J PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->(Lokhttp3/internal/concurrent/TaskRunner;)V -HPLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V +PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; @@ -20873,6 +21033,9 @@ PLokhttp3/internal/connection/Exchange$ResponseBodySource;->(Lokhttp3/inte PLokhttp3/internal/connection/Exchange$ResponseBodySource;->close()V PLokhttp3/internal/connection/Exchange$ResponseBodySource;->complete(Ljava/io/IOException;)Ljava/io/IOException; HPLokhttp3/internal/connection/Exchange$ResponseBodySource;->read(Lokio/Buffer;J)J +PLokhttp3/internal/connection/FailedPlan;->(Ljava/lang/Throwable;)V +PLokhttp3/internal/connection/FailedPlan;->getResult()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; +PLokhttp3/internal/connection/FailedPlan;->isReady()Z HPLokhttp3/internal/connection/FastFallbackExchangeFinder;->(Lokhttp3/internal/connection/RoutePlanner;Lokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getConnectResults$p(Lokhttp3/internal/connection/FastFallbackExchangeFinder;)Ljava/util/concurrent/BlockingQueue; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getTcpConnectsInFlight$p(Lokhttp3/internal/connection/FastFallbackExchangeFinder;)Ljava/util/concurrent/CopyOnWriteArrayList; @@ -20887,10 +21050,11 @@ PLokhttp3/internal/connection/InetAddressOrderKt;->reorderForHappyEyeballs(Ljava HPLokhttp3/internal/connection/RealCall;->(Lokhttp3/OkHttpClient;Lokhttp3/Request;Z)V PLokhttp3/internal/connection/RealCall;->access$getTimeout$p(Lokhttp3/internal/connection/RealCall;)Lokhttp3/internal/connection/RealCall$timeout$1; PLokhttp3/internal/connection/RealCall;->acquireConnectionNoEvents(Lokhttp3/internal/connection/RealConnection;)V -PLokhttp3/internal/connection/RealCall;->callDone(Ljava/io/IOException;)Ljava/io/IOException; +HPLokhttp3/internal/connection/RealCall;->callDone(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->callStart()V +PLokhttp3/internal/connection/RealCall;->cancel()V HPLokhttp3/internal/connection/RealCall;->createAddress(Lokhttp3/HttpUrl;)Lokhttp3/Address; -PLokhttp3/internal/connection/RealCall;->enqueue(Lokhttp3/Callback;)V +HPLokhttp3/internal/connection/RealCall;->enqueue(Lokhttp3/Callback;)V HPLokhttp3/internal/connection/RealCall;->enterNetworkInterceptorExchange(Lokhttp3/Request;ZLokhttp3/internal/http/RealInterceptorChain;)V PLokhttp3/internal/connection/RealCall;->exitNetworkInterceptorExchange$okhttp(Z)V PLokhttp3/internal/connection/RealCall;->getClient()Lokhttp3/OkHttpClient; @@ -20907,11 +21071,12 @@ HPLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/c PLokhttp3/internal/connection/RealCall;->noMoreExchanges$okhttp(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->redactedUrl$okhttp()Ljava/lang/String; PLokhttp3/internal/connection/RealCall;->releaseConnectionNoEvents$okhttp()Ljava/net/Socket; +PLokhttp3/internal/connection/RealCall;->retryAfterFailure()Z PLokhttp3/internal/connection/RealCall;->timeoutExit(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall$AsyncCall;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/Callback;)V PLokhttp3/internal/connection/RealCall$AsyncCall;->executeOn(Ljava/util/concurrent/ExecutorService;)V PLokhttp3/internal/connection/RealCall$AsyncCall;->getCall()Lokhttp3/internal/connection/RealCall; -PLokhttp3/internal/connection/RealCall$AsyncCall;->getCallsPerHost()Ljava/util/concurrent/atomic/AtomicInteger; +HPLokhttp3/internal/connection/RealCall$AsyncCall;->getCallsPerHost()Ljava/util/concurrent/atomic/AtomicInteger; PLokhttp3/internal/connection/RealCall$AsyncCall;->getHost()Ljava/lang/String; PLokhttp3/internal/connection/RealCall$AsyncCall;->reuseCallsPerHostFrom(Lokhttp3/internal/connection/RealCall$AsyncCall;)V HPLokhttp3/internal/connection/RealCall$AsyncCall;->run()V @@ -20972,7 +21137,9 @@ PLokhttp3/internal/connection/RouteDatabase;->shouldPostpone(Lokhttp3/Route;)Z PLokhttp3/internal/connection/RoutePlanner;->hasNext$default(Lokhttp3/internal/connection/RoutePlanner;Lokhttp3/internal/connection/RealConnection;ILjava/lang/Object;)Z PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->(Lokhttp3/internal/connection/RoutePlanner$Plan;Lokhttp3/internal/connection/RoutePlanner$Plan;Ljava/lang/Throwable;)V PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->(Lokhttp3/internal/connection/RoutePlanner$Plan;Lokhttp3/internal/connection/RoutePlanner$Plan;Ljava/lang/Throwable;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->getNextPlan()Lokhttp3/internal/connection/RoutePlanner$Plan; PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->getPlan()Lokhttp3/internal/connection/RoutePlanner$Plan; +PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->getThrowable()Ljava/lang/Throwable; PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->isSuccess()Z PLokhttp3/internal/connection/RouteSelector;->()V PLokhttp3/internal/connection/RouteSelector;->(Lokhttp3/Address;Lokhttp3/internal/connection/RouteDatabase;Lokhttp3/Call;ZLokhttp3/EventListener;)V @@ -20980,7 +21147,7 @@ PLokhttp3/internal/connection/RouteSelector;->hasNext()Z PLokhttp3/internal/connection/RouteSelector;->hasNextProxy()Z PLokhttp3/internal/connection/RouteSelector;->next()Lokhttp3/internal/connection/RouteSelector$Selection; PLokhttp3/internal/connection/RouteSelector;->nextProxy()Ljava/net/Proxy; -PLokhttp3/internal/connection/RouteSelector;->resetNextInetSocketAddress(Ljava/net/Proxy;)V +HPLokhttp3/internal/connection/RouteSelector;->resetNextInetSocketAddress(Ljava/net/Proxy;)V PLokhttp3/internal/connection/RouteSelector;->resetNextProxy$selectProxies(Ljava/net/Proxy;Lokhttp3/HttpUrl;Lokhttp3/internal/connection/RouteSelector;)Ljava/util/List; PLokhttp3/internal/connection/RouteSelector;->resetNextProxy(Lokhttp3/HttpUrl;Ljava/net/Proxy;)V PLokhttp3/internal/connection/RouteSelector$Companion;->()V @@ -21001,7 +21168,7 @@ PLokhttp3/internal/http/HttpMethod;->()V PLokhttp3/internal/http/HttpMethod;->()V PLokhttp3/internal/http/HttpMethod;->invalidatesCache(Ljava/lang/String;)Z PLokhttp3/internal/http/HttpMethod;->permitsRequestBody(Ljava/lang/String;)Z -PLokhttp3/internal/http/HttpMethod;->requiresRequestBody(Ljava/lang/String;)Z +HPLokhttp3/internal/http/HttpMethod;->requiresRequestBody(Ljava/lang/String;)Z HPLokhttp3/internal/http/RealInterceptorChain;->(Lokhttp3/internal/connection/RealCall;Ljava/util/List;ILokhttp3/internal/connection/Exchange;Lokhttp3/Request;III)V PLokhttp3/internal/http/RealInterceptorChain;->call()Lokhttp3/Call; PLokhttp3/internal/http/RealInterceptorChain;->connectTimeoutMillis()I @@ -21026,7 +21193,10 @@ PLokhttp3/internal/http/RequestLine;->requestPath(Lokhttp3/HttpUrl;)Ljava/lang/S PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->(Lokhttp3/OkHttpClient;)V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->followUpRequest(Lokhttp3/Response;Lokhttp3/internal/connection/Exchange;)Lokhttp3/Request; -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; +HPLokhttp3/internal/http/RetryAndFollowUpInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; +PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->isRecoverable(Ljava/io/IOException;Z)Z +PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->recover(Ljava/io/IOException;Lokhttp3/internal/connection/RealCall;Lokhttp3/Request;Z)Z +PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->requestIsOneShot(Ljava/io/IOException;Lokhttp3/Request;)Z PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine;->()V @@ -21034,7 +21204,7 @@ PLokhttp3/internal/http/StatusLine;->(Lokhttp3/Protocol;ILjava/lang/String PLokhttp3/internal/http/StatusLine;->toString()Ljava/lang/String; PLokhttp3/internal/http/StatusLine$Companion;->()V PLokhttp3/internal/http/StatusLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; +PLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; PLokhttp3/internal/http2/ErrorCode;->$values()[Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/ErrorCode;->()V PLokhttp3/internal/http2/ErrorCode;->(Ljava/lang/String;II)V @@ -21046,7 +21216,7 @@ PLokhttp3/internal/http2/FlowControlListener$None;->()V PLokhttp3/internal/http2/FlowControlListener$None;->receivingConnectionWindowChanged(Lokhttp3/internal/http2/flowcontrol/WindowCounter;)V PLokhttp3/internal/http2/FlowControlListener$None;->receivingStreamWindowChanged(ILokhttp3/internal/http2/flowcontrol/WindowCounter;J)V PLokhttp3/internal/http2/Header;->()V -HPLokhttp3/internal/http2/Header;->(Ljava/lang/String;Ljava/lang/String;)V +PLokhttp3/internal/http2/Header;->(Ljava/lang/String;Ljava/lang/String;)V PLokhttp3/internal/http2/Header;->(Lokio/ByteString;Ljava/lang/String;)V HPLokhttp3/internal/http2/Header;->(Lokio/ByteString;Lokio/ByteString;)V PLokhttp3/internal/http2/Header;->component1()Lokio/ByteString; @@ -21066,7 +21236,7 @@ PLokhttp3/internal/http2/Hpack$Reader;->getAndResetHeaderList()Ljava/util/List; PLokhttp3/internal/http2/Hpack$Reader;->getName(I)Lokio/ByteString; PLokhttp3/internal/http2/Hpack$Reader;->insertIntoDynamicTable(ILokhttp3/internal/http2/Header;)V PLokhttp3/internal/http2/Hpack$Reader;->isStaticHeader(I)Z -PLokhttp3/internal/http2/Hpack$Reader;->readByte()I +HPLokhttp3/internal/http2/Hpack$Reader;->readByte()I HPLokhttp3/internal/http2/Hpack$Reader;->readByteString()Lokio/ByteString; HPLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V PLokhttp3/internal/http2/Hpack$Reader;->readIndexedHeader(I)V @@ -21145,7 +21315,7 @@ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->applyAndAckSettings(ZL HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->data(ZILokio/BufferedSource;I)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->headers(ZIILjava/util/List;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()Ljava/lang/Object; -HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V +PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->settings(ZLokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->windowUpdate(IJ)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$applyAndAckSettings$1$1$2;->(Lokhttp3/internal/http2/Http2Connection;Lkotlin/jvm/internal/Ref$ObjectRef;)V @@ -21176,7 +21346,7 @@ PLokhttp3/internal/http2/Http2Reader;->(Lokio/BufferedSource;Z)V PLokhttp3/internal/http2/Http2Reader;->close()V HPLokhttp3/internal/http2/Http2Reader;->nextFrame(ZLokhttp3/internal/http2/Http2Reader$Handler;)Z PLokhttp3/internal/http2/Http2Reader;->readConnectionPreface(Lokhttp3/internal/http2/Http2Reader$Handler;)V -HPLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V +PLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readHeaderBlock(IIII)Ljava/util/List; PLokhttp3/internal/http2/Http2Reader;->readHeaders(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readSettings(Lokhttp3/internal/http2/Http2Reader$Handler;III)V @@ -21198,7 +21368,7 @@ PLokhttp3/internal/http2/Http2Stream;->access$doReadTimeout(Lokhttp3/internal/ht PLokhttp3/internal/http2/Http2Stream;->addBytesToWriteWindow(J)V PLokhttp3/internal/http2/Http2Stream;->cancelStreamIfNecessary$okhttp()V PLokhttp3/internal/http2/Http2Stream;->checkOutNotClosed$okhttp()V -HPLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z +PLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z PLokhttp3/internal/http2/Http2Stream;->getConnection()Lokhttp3/internal/http2/Http2Connection; PLokhttp3/internal/http2/Http2Stream;->getErrorCode$okhttp()Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/Http2Stream;->getId()I @@ -21213,7 +21383,7 @@ PLokhttp3/internal/http2/Http2Stream;->getWriteTimeout$okhttp()Lokhttp3/internal PLokhttp3/internal/http2/Http2Stream;->isLocallyInitiated()Z HPLokhttp3/internal/http2/Http2Stream;->isOpen()Z PLokhttp3/internal/http2/Http2Stream;->readTimeout()Lokio/Timeout; -HPLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V +PLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V HPLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V PLokhttp3/internal/http2/Http2Stream;->setWriteBytesTotal$okhttp(J)V PLokhttp3/internal/http2/Http2Stream;->takeHeaders(Z)Lokhttp3/Headers; @@ -21222,7 +21392,7 @@ PLokhttp3/internal/http2/Http2Stream;->writeTimeout()Lokio/Timeout; PLokhttp3/internal/http2/Http2Stream$Companion;->()V PLokhttp3/internal/http2/Http2Stream$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->(Lokhttp3/internal/http2/Http2Stream;Z)V -HPLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V +PLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V PLokhttp3/internal/http2/Http2Stream$FramingSink;->emitFrame(Z)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->getClosed()Z PLokhttp3/internal/http2/Http2Stream$FramingSink;->getFinished()Z @@ -21257,6 +21427,7 @@ PLokhttp3/internal/http2/Http2Writer$Companion;->(Lkotlin/jvm/internal/Def PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->addCode(III)V +HPLokhttp3/internal/http2/Huffman;->decode(Lokio/BufferedSource;JLokio/BufferedSink;)V HPLokhttp3/internal/http2/Huffman;->encode(Lokio/ByteString;Lokio/BufferedSink;)V PLokhttp3/internal/http2/Huffman;->encodedLength(Lokio/ByteString;)I PLokhttp3/internal/http2/Huffman$Node;->()V @@ -21272,7 +21443,7 @@ PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->get(I)I PLokhttp3/internal/http2/Settings;->getHeaderTableSize()I -HPLokhttp3/internal/http2/Settings;->getInitialWindowSize()I +PLokhttp3/internal/http2/Settings;->getInitialWindowSize()I PLokhttp3/internal/http2/Settings;->getMaxConcurrentStreams()I PLokhttp3/internal/http2/Settings;->getMaxFrameSize(I)I PLokhttp3/internal/http2/Settings;->isSet(I)Z @@ -21287,7 +21458,7 @@ PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update$default(Lokhttp3/int HPLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V Lokhttp3/internal/idn/IdnaMappingTable; HSPLokhttp3/internal/idn/IdnaMappingTable;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V -HSPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I +HPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I HPLokhttp3/internal/idn/IdnaMappingTable;->findSectionsIndex(I)I HPLokhttp3/internal/idn/IdnaMappingTable;->map(ILokio/BufferedSink;)Z Lokhttp3/internal/idn/IdnaMappingTableInstanceKt; @@ -21299,7 +21470,7 @@ Lokhttp3/internal/idn/Punycode; HSPLokhttp3/internal/idn/Punycode;->()V HSPLokhttp3/internal/idn/Punycode;->()V HPLokhttp3/internal/idn/Punycode;->decode(Ljava/lang/String;)Ljava/lang/String; -HSPLokhttp3/internal/idn/Punycode;->decodeLabel(Ljava/lang/String;IILokio/Buffer;)Z +HPLokhttp3/internal/idn/Punycode;->decodeLabel(Ljava/lang/String;IILokio/Buffer;)Z HPLokhttp3/internal/idn/Punycode;->encode(Ljava/lang/String;)Ljava/lang/String; HSPLokhttp3/internal/idn/Punycode;->encodeLabel(Ljava/lang/String;IILokio/Buffer;)Z HSPLokhttp3/internal/idn/Punycode;->requiresEncode(Ljava/lang/String;II)Z @@ -21321,7 +21492,7 @@ PLokhttp3/internal/platform/Platform;->afterHandshake(Ljavax/net/ssl/SSLSocket;) PLokhttp3/internal/platform/Platform;->connectSocket(Ljava/net/Socket;Ljava/net/InetSocketAddress;I)V PLokhttp3/internal/platform/Platform;->getPrefix()Ljava/lang/String; PLokhttp3/internal/platform/Platform;->log$default(Lokhttp3/internal/platform/Platform;Ljava/lang/String;ILjava/lang/Throwable;ILjava/lang/Object;)V -PLokhttp3/internal/platform/Platform;->log(Ljava/lang/String;ILjava/lang/Throwable;)V +HPLokhttp3/internal/platform/Platform;->log(Ljava/lang/String;ILjava/lang/Throwable;)V PLokhttp3/internal/platform/Platform;->newSSLContext()Ljavax/net/ssl/SSLContext; PLokhttp3/internal/platform/Platform;->newSslSocketFactory(Ljavax/net/ssl/X509TrustManager;)Ljavax/net/ssl/SSLSocketFactory; PLokhttp3/internal/platform/Platform;->platformTrustManager()Ljavax/net/ssl/X509TrustManager; @@ -21361,7 +21532,7 @@ PLokhttp3/internal/platform/android/AndroidLogHandler;->()V PLokhttp3/internal/platform/android/AndroidLogHandler;->()V HPLokhttp3/internal/platform/android/AndroidLogHandler;->publish(Ljava/util/logging/LogRecord;)V PLokhttp3/internal/platform/android/AndroidLogKt;->access$getAndroidLevel(Ljava/util/logging/LogRecord;)I -PLokhttp3/internal/platform/android/AndroidLogKt;->getAndroidLevel(Ljava/util/logging/LogRecord;)I +HPLokhttp3/internal/platform/android/AndroidLogKt;->getAndroidLevel(Ljava/util/logging/LogRecord;)I PLokhttp3/internal/platform/android/AndroidSocketAdapter;->()V PLokhttp3/internal/platform/android/AndroidSocketAdapter;->access$getPlayProviderFactory$cp()Lokhttp3/internal/platform/android/DeferredSocketAdapter$Factory; PLokhttp3/internal/platform/android/AndroidSocketAdapter$Companion;->()V @@ -21409,7 +21580,7 @@ PLokhttp3/logging/HttpLoggingInterceptor$Logger;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->()V -PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->log(Ljava/lang/String;)V +HPLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->log(Ljava/lang/String;)V PLokio/-Base64;->()V PLokio/-Base64;->encodeBase64$default([B[BILjava/lang/Object;)Ljava/lang/String; HPLokio/-Base64;->encodeBase64([B[B)Ljava/lang/String; @@ -21460,40 +21631,47 @@ HPLokio/AsyncTimeout$source$1;->read(Lokio/Buffer;J)J Lokio/Buffer; HPLokio/Buffer;->()V PLokio/Buffer;->clear()V -HPLokio/Buffer;->completeSegmentByteCount()J +PLokio/Buffer;->completeSegmentByteCount()J HPLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; HPLokio/Buffer;->exhausted()Z +HSPLokio/Buffer;->getByte(J)B HPLokio/Buffer;->indexOf(BJJ)J -PLokio/Buffer;->indexOfElement(Lokio/ByteString;)J +HPLokio/Buffer;->indexOfElement(Lokio/ByteString;)J +HPLokio/Buffer;->indexOfElement(Lokio/ByteString;J)J HPLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z HPLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z HPLokio/Buffer;->read(Ljava/nio/ByteBuffer;)I HPLokio/Buffer;->read(Lokio/Buffer;J)J HPLokio/Buffer;->read([BII)I +PLokio/Buffer;->readByte()B HPLokio/Buffer;->readByteArray(J)[B -HPLokio/Buffer;->readByteString()Lokio/ByteString; +PLokio/Buffer;->readByteString()Lokio/ByteString; HPLokio/Buffer;->readByteString(J)Lokio/ByteString; HPLokio/Buffer;->readFully([B)V HPLokio/Buffer;->readInt()I PLokio/Buffer;->readIntLe()I PLokio/Buffer;->readShort()S +HSPLokio/Buffer;->readString(JLjava/nio/charset/Charset;)Ljava/lang/String; HSPLokio/Buffer;->readUtf8()Ljava/lang/String; -HPLokio/Buffer;->readUtf8(J)Ljava/lang/String; -HSPLokio/Buffer;->readUtf8CodePoint()I +HPLokio/Buffer;->readUtf8CodePoint()I HPLokio/Buffer;->setSize$okio(J)V HPLokio/Buffer;->size()J +HPLokio/Buffer;->skip(J)V HPLokio/Buffer;->writableSegment$okio(I)Lokio/Segment; +HPLokio/Buffer;->write(Lokio/Buffer;J)V HPLokio/Buffer;->write(Lokio/ByteString;)Lokio/Buffer; HSPLokio/Buffer;->write([B)Lokio/Buffer; +HSPLokio/Buffer;->write([BII)Lokio/Buffer; HSPLokio/Buffer;->writeAll(Lokio/Source;)J HPLokio/Buffer;->writeByte(I)Lokio/Buffer; HPLokio/Buffer;->writeByte(I)Lokio/BufferedSink; HPLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; -HPLokio/Buffer;->writeInt(I)Lokio/Buffer; +HSPLokio/Buffer;->writeInt(I)Lokio/Buffer; PLokio/Buffer;->writeShort(I)Lokio/Buffer; HPLokio/Buffer;->writeUtf8(Ljava/lang/String;)Lokio/Buffer; +HPLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/Buffer; PLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/BufferedSink; -HPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; +HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/BufferedSink; Lokio/Buffer$UnsafeCursor; HSPLokio/Buffer$UnsafeCursor;->()V @@ -21514,11 +21692,11 @@ HPLokio/ByteString;->getByte(I)B HPLokio/ByteString;->getData$okio()[B PLokio/ByteString;->getHashCode$okio()I HPLokio/ByteString;->getSize$okio()I -PLokio/ByteString;->getUtf8$okio()Ljava/lang/String; +HPLokio/ByteString;->getUtf8$okio()Ljava/lang/String; PLokio/ByteString;->hashCode()I HPLokio/ByteString;->hex()Ljava/lang/String; PLokio/ByteString;->indexOf$default(Lokio/ByteString;Lokio/ByteString;IILjava/lang/Object;)I -HPLokio/ByteString;->indexOf(Lokio/ByteString;I)I +PLokio/ByteString;->indexOf(Lokio/ByteString;I)I HPLokio/ByteString;->indexOf([BI)I PLokio/ByteString;->internalArray$okio()[B HPLokio/ByteString;->internalGet$okio(I)B @@ -21526,12 +21704,12 @@ PLokio/ByteString;->lastIndexOf$default(Lokio/ByteString;Lokio/ByteString;IILjav PLokio/ByteString;->lastIndexOf(Lokio/ByteString;I)I HPLokio/ByteString;->lastIndexOf([BI)I PLokio/ByteString;->md5()Lokio/ByteString; -HPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z +HSPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z HPLokio/ByteString;->rangeEquals(I[BII)Z PLokio/ByteString;->setHashCode$okio(I)V HPLokio/ByteString;->setUtf8$okio(Ljava/lang/String;)V PLokio/ByteString;->sha256()Lokio/ByteString; -HPLokio/ByteString;->size()I +HSPLokio/ByteString;->size()I HSPLokio/ByteString;->startsWith(Lokio/ByteString;)Z PLokio/ByteString;->substring$default(Lokio/ByteString;IIILjava/lang/Object;)Lokio/ByteString; HPLokio/ByteString;->substring(II)Lokio/ByteString; @@ -21583,7 +21761,7 @@ PLokio/ForwardingFileSystem;->createDirectory(Lokio/Path;Z)V PLokio/ForwardingFileSystem;->delete(Lokio/Path;Z)V HPLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/ForwardingFileSystem;->onPathParameter(Lokio/Path;Ljava/lang/String;Ljava/lang/String;)Lokio/Path; -HPLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; +PLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingSink;->(Lokio/Sink;)V PLokio/ForwardingSink;->close()V PLokio/ForwardingSink;->flush()V @@ -21602,7 +21780,7 @@ PLokio/GzipSource;->updateCrc(Lokio/Buffer;JJ)V PLokio/InflaterSource;->(Lokio/BufferedSource;Ljava/util/zip/Inflater;)V PLokio/InflaterSource;->close()V PLokio/InflaterSource;->read(Lokio/Buffer;J)J -PLokio/InflaterSource;->readOrInflate(Lokio/Buffer;J)J +HPLokio/InflaterSource;->readOrInflate(Lokio/Buffer;J)J PLokio/InflaterSource;->refill()Z PLokio/InflaterSource;->releaseBytesAfterInflate()V PLokio/InputStreamSource;->(Ljava/io/InputStream;Lokio/Timeout;)V @@ -21634,19 +21812,19 @@ PLokio/Okio;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio;->source(Ljava/net/Socket;)Lokio/Source; PLokio/Okio__JvmOkioKt;->()V PLokio/Okio__JvmOkioKt;->sink$default(Ljava/io/File;ZILjava/lang/Object;)Lokio/Sink; -HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; +PLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/OutputStream;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->sink(Ljava/net/Socket;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio__JvmOkioKt;->source(Ljava/net/Socket;)Lokio/Source; -HPLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; -HPLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; +PLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; +PLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; Lokio/Options; HSPLokio/Options;->()V HSPLokio/Options;->([Lokio/ByteString;[I)V HSPLokio/Options;->([Lokio/ByteString;[ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLokio/Options;->getByteStrings$okio()[Lokio/ByteString; -HPLokio/Options;->getTrie$okio()[I +PLokio/Options;->getTrie$okio()[I PLokio/Options;->of([Lokio/ByteString;)Lokio/Options; Lokio/Options$Companion; HSPLokio/Options$Companion;->()V @@ -21672,7 +21850,7 @@ HPLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; PLokio/Path;->resolve(Ljava/lang/String;Z)Lokio/Path; HPLokio/Path;->toFile()Ljava/io/File; HPLokio/Path;->toNioPath()Ljava/nio/file/Path; -HPLokio/Path;->toString()Ljava/lang/String; +PLokio/Path;->toString()Ljava/lang/String; HPLokio/Path;->volumeLetter()Ljava/lang/Character; PLokio/Path$Companion;->()V PLokio/Path$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -21689,17 +21867,17 @@ PLokio/RealBufferedSink;->outputStream()Ljava/io/OutputStream; PLokio/RealBufferedSink;->write(Lokio/Buffer;J)V PLokio/RealBufferedSink;->write(Lokio/ByteString;)Lokio/BufferedSink; HPLokio/RealBufferedSink;->writeByte(I)Lokio/BufferedSink; -HPLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; +PLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeInt(I)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeShort(I)Lokio/BufferedSink; +HPLokio/RealBufferedSink;->writeUtf8(Ljava/lang/String;)Lokio/BufferedSink; PLokio/RealBufferedSink$outputStream$1;->(Lokio/RealBufferedSink;)V PLokio/RealBufferedSink$outputStream$1;->write([BII)V HPLokio/RealBufferedSource;->(Lokio/Source;)V PLokio/RealBufferedSource;->close()V HPLokio/RealBufferedSource;->exhausted()Z PLokio/RealBufferedSource;->getBuffer()Lokio/Buffer; -PLokio/RealBufferedSource;->indexOf(BJJ)J -HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;)J +HPLokio/RealBufferedSource;->indexOf(BJJ)J HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;J)J PLokio/RealBufferedSource;->isOpen()Z PLokio/RealBufferedSource;->rangeEquals(JLokio/ByteString;)Z @@ -21715,7 +21893,6 @@ PLokio/RealBufferedSource;->readUtf8LineStrict()Ljava/lang/String; PLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; HPLokio/RealBufferedSource;->request(J)Z HPLokio/RealBufferedSource;->require(J)V -HPLokio/RealBufferedSource;->select(Lokio/Options;)I PLokio/RealBufferedSource;->skip(J)V Lokio/Segment; HSPLokio/Segment;->()V @@ -21724,7 +21901,7 @@ HPLokio/Segment;->([BIIZZ)V HPLokio/Segment;->compact()V HPLokio/Segment;->pop()Lokio/Segment; HPLokio/Segment;->push(Lokio/Segment;)Lokio/Segment; -HPLokio/Segment;->sharedCopy()Lokio/Segment; +PLokio/Segment;->sharedCopy()Lokio/Segment; HPLokio/Segment;->split(I)Lokio/Segment; HPLokio/Segment;->writeTo(Lokio/Segment;I)V Lokio/Segment$Companion; @@ -21733,6 +21910,7 @@ HSPLokio/Segment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarke Lokio/SegmentPool; HSPLokio/SegmentPool;->()V HSPLokio/SegmentPool;->()V +HPLokio/SegmentPool;->firstRef()Ljava/util/concurrent/atomic/AtomicReference; HPLokio/SegmentPool;->recycle(Lokio/Segment;)V HPLokio/SegmentPool;->take()Lokio/Segment; Lokio/Sink; @@ -21756,14 +21934,14 @@ PLokio/_JvmPlatformKt;->newLock()Ljava/util/concurrent/locks/ReentrantLock; HPLokio/_JvmPlatformKt;->toUtf8String([B)Ljava/lang/String; PLokio/internal/-Buffer;->()V PLokio/internal/-Buffer;->getHEX_DIGIT_BYTES()[B -PLokio/internal/-Buffer;->readUtf8Line(Lokio/Buffer;J)Ljava/lang/String; +HPLokio/internal/-Buffer;->readUtf8Line(Lokio/Buffer;J)Ljava/lang/String; HPLokio/internal/-Buffer;->selectPrefix(Lokio/Buffer;Lokio/Options;Z)I Lokio/internal/-ByteString; HSPLokio/internal/-ByteString;->()V HSPLokio/internal/-ByteString;->access$decodeHexDigit(C)I HPLokio/internal/-ByteString;->commonWrite(Lokio/ByteString;Lokio/Buffer;II)V HSPLokio/internal/-ByteString;->decodeHexDigit(C)I -PLokio/internal/-ByteString;->getHEX_DIGIT_CHARS()[C +HPLokio/internal/-ByteString;->getHEX_DIGIT_CHARS()[C HPLokio/internal/-FileSystem;->commonCreateDirectories(Lokio/FileSystem;Lokio/Path;Z)V HPLokio/internal/-FileSystem;->commonExists(Lokio/FileSystem;Lokio/Path;)Z PLokio/internal/-FileSystem;->commonMetadata(Lokio/FileSystem;Lokio/Path;)Lokio/FileMetadata; @@ -21777,13 +21955,13 @@ PLokio/internal/-Path;->access$rootLength(Lokio/Path;)I HPLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; PLokio/internal/-Path;->commonToPath(Ljava/lang/String;Z)Lokio/Path; PLokio/internal/-Path;->getIndexOfLastSlash(Lokio/Path;)I -HPLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; +PLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; PLokio/internal/-Path;->lastSegmentIsDotDot(Lokio/Path;)Z HPLokio/internal/-Path;->rootLength(Lokio/Path;)I PLokio/internal/-Path;->startsWithVolumeLetterAndColon(Lokio/Buffer;Lokio/ByteString;)Z HPLokio/internal/-Path;->toPath(Lokio/Buffer;Z)Lokio/Path; PLokio/internal/-Path;->toSlash(B)Lokio/ByteString; -PLokio/internal/-Path;->toSlash(Ljava/lang/String;)Lokio/ByteString; +HPLokio/internal/-Path;->toSlash(Ljava/lang/String;)Lokio/ByteString; PLokio/internal/ResourceFileSystem;->()V PLokio/internal/ResourceFileSystem;->(Ljava/lang/ClassLoader;ZLokio/FileSystem;)V PLokio/internal/ResourceFileSystem;->(Ljava/lang/ClassLoader;ZLokio/FileSystem;ILkotlin/jvm/internal/DefaultConstructorMarker;)V diff --git a/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt b/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt index a4bc72dff..453d9f3f1 100644 --- a/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt +++ b/samples/star/apk/src/release/generated/baselineProfiles/startup-prof.txt @@ -67,7 +67,7 @@ HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Lan PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Insets;)I HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Paint;Landroid/graphics/BlendMode;)V -HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Z +HPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;IIII)Z PLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Landroid/view/translation/ViewTranslationCallback;)V HSPLandroidx/activity/ComponentDialog$$ExternalSyntheticApiModelOutline0;->m(Landroid/view/View;Z)V @@ -82,7 +82,7 @@ HSPLandroidx/activity/EdgeToEdgeApi29;->()V HSPLandroidx/activity/EdgeToEdgeApi29;->setUp(Landroidx/activity/SystemBarStyle;Landroidx/activity/SystemBarStyle;Landroid/view/Window;Landroid/view/View;ZZ)V Landroidx/activity/EdgeToEdgeImpl; Landroidx/activity/FullyDrawnReporter; -HSPLandroidx/activity/FullyDrawnReporter;->$r8$lambda$9oQ81V-Fq3e0CkAqj9HHhVQeVeY(Landroidx/activity/FullyDrawnReporter;)V +HSPLandroidx/activity/FullyDrawnReporter;->$r8$lambda$A0RwxxT-QIMFOsDA3Nv48auR1K4(Landroidx/activity/FullyDrawnReporter;)V HSPLandroidx/activity/FullyDrawnReporter;->(Ljava/util/concurrent/Executor;Lkotlin/jvm/functions/Function0;)V HSPLandroidx/activity/FullyDrawnReporter;->addOnReportDrawnListener(Lkotlin/jvm/functions/Function0;)V HSPLandroidx/activity/FullyDrawnReporter;->addReporter()V @@ -157,7 +157,7 @@ HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnRepo Landroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->()V HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->()V -HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/FullyDrawnReporterOwner; +HPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/FullyDrawnReporterOwner; HSPLandroidx/activity/ViewTreeFullyDrawnReporterOwner$findViewTreeFullyDrawnReporterOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/ViewTreeOnBackPressedDispatcherOwner; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner;->get(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; @@ -170,7 +170,7 @@ HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPre Landroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->()V -HPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; +HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Landroid/view/View;)Landroidx/activity/OnBackPressedDispatcherOwner; HSPLandroidx/activity/ViewTreeOnBackPressedDispatcherOwner$findViewTreeOnBackPressedDispatcherOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/activity/compose/BackHandlerKt; HPLandroidx/activity/compose/BackHandlerKt;->BackHandler(ZLkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;II)V @@ -418,7 +418,7 @@ HSPLandroidx/appcompat/view/WindowCallbackWrapper;->getWrapped()Landroid/view/Wi HSPLandroidx/appcompat/view/WindowCallbackWrapper;->onAttachedToWindow()V PLandroidx/appcompat/view/WindowCallbackWrapper;->onDetachedFromWindow()V HSPLandroidx/appcompat/view/WindowCallbackWrapper;->onWindowAttributesChanged(Landroid/view/WindowManager$LayoutParams;)V -PLandroidx/appcompat/view/WindowCallbackWrapper;->onWindowFocusChanged(Z)V +HSPLandroidx/appcompat/view/WindowCallbackWrapper;->onWindowFocusChanged(Z)V Landroidx/appcompat/view/menu/MenuBuilder$Callback; Landroidx/appcompat/widget/AppCompatDrawableManager; HSPLandroidx/appcompat/widget/AppCompatDrawableManager;->()V @@ -515,8 +515,8 @@ HPLandroidx/arch/core/internal/FastSafeIterableMap;->putIfAbsent(Ljava/lang/Obje HPLandroidx/arch/core/internal/FastSafeIterableMap;->remove(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/arch/core/internal/SafeIterableMap; HSPLandroidx/arch/core/internal/SafeIterableMap;->()V -HPLandroidx/arch/core/internal/SafeIterableMap;->descendingIterator()Ljava/util/Iterator; -HSPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; +PLandroidx/arch/core/internal/SafeIterableMap;->descendingIterator()Ljava/util/Iterator; +HPLandroidx/arch/core/internal/SafeIterableMap;->eldest()Ljava/util/Map$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->get(Ljava/lang/Object;)Landroidx/arch/core/internal/SafeIterableMap$Entry; HSPLandroidx/arch/core/internal/SafeIterableMap;->iterator()Ljava/util/Iterator; HPLandroidx/arch/core/internal/SafeIterableMap;->iteratorWithAdditions()Landroidx/arch/core/internal/SafeIterableMap$IteratorWithAdditions; @@ -529,7 +529,7 @@ Landroidx/arch/core/internal/SafeIterableMap$AscendingIterator; HSPLandroidx/arch/core/internal/SafeIterableMap$AscendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->(Landroidx/arch/core/internal/SafeIterableMap$Entry;Landroidx/arch/core/internal/SafeIterableMap$Entry;)V PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->backward(Landroidx/arch/core/internal/SafeIterableMap$Entry;)Landroidx/arch/core/internal/SafeIterableMap$Entry; -PLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->forward(Landroidx/arch/core/internal/SafeIterableMap$Entry;)Landroidx/arch/core/internal/SafeIterableMap$Entry; +HPLandroidx/arch/core/internal/SafeIterableMap$DescendingIterator;->forward(Landroidx/arch/core/internal/SafeIterableMap$Entry;)Landroidx/arch/core/internal/SafeIterableMap$Entry; Landroidx/arch/core/internal/SafeIterableMap$Entry; HPLandroidx/arch/core/internal/SafeIterableMap$Entry;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLandroidx/arch/core/internal/SafeIterableMap$Entry;->getKey()Ljava/lang/Object; @@ -545,7 +545,7 @@ HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->(Landroidx/ HSPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->hasNext()Z PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/lang/Object; HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->next()Ljava/util/Map$Entry; -HPLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; +PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->nextNode()Landroidx/arch/core/internal/SafeIterableMap$Entry; PLandroidx/arch/core/internal/SafeIterableMap$ListIterator;->supportRemove(Landroidx/arch/core/internal/SafeIterableMap$Entry;)V Landroidx/arch/core/internal/SafeIterableMap$SupportRemove; HSPLandroidx/arch/core/internal/SafeIterableMap$SupportRemove;->()V @@ -613,7 +613,7 @@ PLandroidx/collection/MutableIntIntMap;->set(II)V Landroidx/collection/MutableIntObjectMap; HSPLandroidx/collection/MutableIntObjectMap;->(I)V HSPLandroidx/collection/MutableIntObjectMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/collection/MutableIntObjectMap;->findAbsoluteInsertIndex(I)I +HPLandroidx/collection/MutableIntObjectMap;->findAbsoluteInsertIndex(I)I HSPLandroidx/collection/MutableIntObjectMap;->findFirstAvailableSlot(I)I HSPLandroidx/collection/MutableIntObjectMap;->initializeGrowth()V HSPLandroidx/collection/MutableIntObjectMap;->initializeMetadata(I)V @@ -636,12 +636,13 @@ HPLandroidx/collection/MutableObjectIntMap;->initializeStorage(I)V HPLandroidx/collection/MutableObjectIntMap;->put(Ljava/lang/Object;II)I HPLandroidx/collection/MutableObjectIntMap;->removeValueAt(I)V HPLandroidx/collection/MutableObjectIntMap;->resizeStorage(I)V -HPLandroidx/collection/MutableObjectIntMap;->set(Ljava/lang/Object;I)V +HSPLandroidx/collection/MutableObjectIntMap;->set(Ljava/lang/Object;I)V Landroidx/collection/MutableScatterMap; HPLandroidx/collection/MutableScatterMap;->(I)V HPLandroidx/collection/MutableScatterMap;->(IILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/collection/MutableScatterMap;->adjustStorage()V HPLandroidx/collection/MutableScatterMap;->findFirstAvailableSlot(I)I +HSPLandroidx/collection/MutableScatterMap;->findInsertIndex(Ljava/lang/Object;)I HPLandroidx/collection/MutableScatterMap;->initializeGrowth()V HPLandroidx/collection/MutableScatterMap;->initializeMetadata(I)V HPLandroidx/collection/MutableScatterMap;->initializeStorage(I)V @@ -672,7 +673,7 @@ HPLandroidx/collection/ObjectIntMap;->findKeyIndex(Ljava/lang/Object;)I HPLandroidx/collection/ObjectIntMap;->getCapacity()I HSPLandroidx/collection/ObjectIntMap;->getOrDefault(Ljava/lang/Object;I)I HSPLandroidx/collection/ObjectIntMap;->getSize()I -HSPLandroidx/collection/ObjectIntMap;->isNotEmpty()Z +HPLandroidx/collection/ObjectIntMap;->isNotEmpty()Z Landroidx/collection/ObjectIntMapKt; HSPLandroidx/collection/ObjectIntMapKt;->()V HPLandroidx/collection/ObjectIntMapKt;->emptyObjectIntMap()Landroidx/collection/ObjectIntMap; @@ -857,7 +858,7 @@ Landroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2; HSPLandroidx/compose/animation/ColorVectorConverterKt$ColorToVector$1$2;->(Landroidx/compose/ui/graphics/colorspace/ColorSpace;)V Landroidx/compose/animation/ContentTransform; HSPLandroidx/compose/animation/ContentTransform;->()V -HPLandroidx/compose/animation/ContentTransform;->(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;FLandroidx/compose/animation/SizeTransform;)V +HSPLandroidx/compose/animation/ContentTransform;->(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;FLandroidx/compose/animation/SizeTransform;)V HSPLandroidx/compose/animation/ContentTransform;->(Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;FLandroidx/compose/animation/SizeTransform;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/animation/ContentTransform;->getSizeTransform()Landroidx/compose/animation/SizeTransform; HSPLandroidx/compose/animation/ContentTransform;->getTargetContentEnter()Landroidx/compose/animation/EnterTransition; @@ -891,7 +892,7 @@ HSPLandroidx/compose/animation/EnterExitTransitionElement;->(Landroidx/com HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/animation/EnterExitTransitionModifierNode; HSPLandroidx/compose/animation/EnterExitTransitionElement;->create()Landroidx/compose/ui/Modifier$Node; Landroidx/compose/animation/EnterExitTransitionKt; -HSPLandroidx/compose/animation/EnterExitTransitionKt;->$r8$lambda$pdcBkeht65McNmOdPY-G1SsWYlU(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; +HSPLandroidx/compose/animation/EnterExitTransitionKt;->$r8$lambda$1JgidYUxIRNwEZ0kscHeqkwDXjI(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; HSPLandroidx/compose/animation/EnterExitTransitionKt;->()V HSPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock$lambda$11(Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition$DeferredAnimation;Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Landroidx/compose/animation/core/Transition$DeferredAnimation;)Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/EnterExitTransitionKt;->createGraphicsLayerBlock(Landroidx/compose/animation/core/Transition;Landroidx/compose/animation/EnterTransition;Landroidx/compose/animation/ExitTransition;Ljava/lang/String;Landroidx/compose/runtime/Composer;I)Landroidx/compose/animation/GraphicsLayerBlockForEnterExit; @@ -1019,7 +1020,7 @@ PLandroidx/compose/animation/core/Animatable;->runAnimation(Landroidx/compose/an PLandroidx/compose/animation/core/Animatable;->setRunning(Z)V PLandroidx/compose/animation/core/Animatable;->setTargetValue(Ljava/lang/Object;)V PLandroidx/compose/animation/core/Animatable;->snapTo(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/animation/core/Animatable$runAnimation$2;->(Landroidx/compose/animation/core/Animatable;Ljava/lang/Object;Landroidx/compose/animation/core/Animation;JLkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)V PLandroidx/compose/animation/core/Animatable$runAnimation$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/Animatable$runAnimation$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -1049,7 +1050,7 @@ HPLandroidx/compose/animation/core/AnimateAsStateKt;->animateValueAsState(Ljava/ Landroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2; HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->(Lkotlinx/coroutines/channels/Channel;Ljava/lang/Object;)V HSPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->invoke()Ljava/lang/Object; -HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->invoke()V +HSPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$2;->invoke()V Landroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3; HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3;->(Lkotlinx/coroutines/channels/Channel;Landroidx/compose/animation/core/Animatable;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/animation/core/AnimateAsStateKt$animateValueAsState$3;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; @@ -1093,14 +1094,14 @@ HPLandroidx/compose/animation/core/AnimationSpecKt;->tween(IILandroidx/compose/a Landroidx/compose/animation/core/AnimationState; HSPLandroidx/compose/animation/core/AnimationState;->()V HPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZ)V -HSPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/animation/core/AnimationState;->(Landroidx/compose/animation/core/TwoWayConverter;Ljava/lang/Object;Landroidx/compose/animation/core/AnimationVector;JJZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/animation/core/AnimationState;->getLastFrameTimeNanos()J PLandroidx/compose/animation/core/AnimationState;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/AnimationState;->getValue()Ljava/lang/Object; HPLandroidx/compose/animation/core/AnimationState;->getVelocityVector()Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/AnimationState;->isRunning()Z PLandroidx/compose/animation/core/AnimationState;->setFinishedTimeNanos$animation_core_release(J)V -PLandroidx/compose/animation/core/AnimationState;->setLastFrameTimeNanos$animation_core_release(J)V +HPLandroidx/compose/animation/core/AnimationState;->setLastFrameTimeNanos$animation_core_release(J)V PLandroidx/compose/animation/core/AnimationState;->setRunning$animation_core_release(Z)V HPLandroidx/compose/animation/core/AnimationState;->setValue$animation_core_release(Ljava/lang/Object;)V PLandroidx/compose/animation/core/AnimationState;->setVelocityVector$animation_core_release(Landroidx/compose/animation/core/AnimationVector;)V @@ -1116,22 +1117,22 @@ Landroidx/compose/animation/core/AnimationVector1D; HSPLandroidx/compose/animation/core/AnimationVector1D;->()V HPLandroidx/compose/animation/core/AnimationVector1D;->(F)V HPLandroidx/compose/animation/core/AnimationVector1D;->get$animation_core_release(I)F -HSPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I -HSPLandroidx/compose/animation/core/AnimationVector1D;->getValue()F +HPLandroidx/compose/animation/core/AnimationVector1D;->getSize$animation_core_release()I +HPLandroidx/compose/animation/core/AnimationVector1D;->getValue()F HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector1D; HSPLandroidx/compose/animation/core/AnimationVector1D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; -HSPLandroidx/compose/animation/core/AnimationVector1D;->reset$animation_core_release()V -HSPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V +HPLandroidx/compose/animation/core/AnimationVector1D;->reset$animation_core_release()V +HPLandroidx/compose/animation/core/AnimationVector1D;->set$animation_core_release(IF)V Landroidx/compose/animation/core/AnimationVector2D; HSPLandroidx/compose/animation/core/AnimationVector2D;->()V HPLandroidx/compose/animation/core/AnimationVector2D;->(FF)V HPLandroidx/compose/animation/core/AnimationVector2D;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/animation/core/AnimationVector2D;->get$animation_core_release(I)F HPLandroidx/compose/animation/core/AnimationVector2D;->getSize$animation_core_release()I -PLandroidx/compose/animation/core/AnimationVector2D;->getV1()F -PLandroidx/compose/animation/core/AnimationVector2D;->getV2()F +HPLandroidx/compose/animation/core/AnimationVector2D;->getV1()F +HPLandroidx/compose/animation/core/AnimationVector2D;->getV2()F PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector2D; -PLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/AnimationVector2D;->newVector$animation_core_release()Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/AnimationVector2D;->reset$animation_core_release()V HPLandroidx/compose/animation/core/AnimationVector2D;->set$animation_core_release(IF)V Landroidx/compose/animation/core/AnimationVector3D; @@ -1162,7 +1163,7 @@ Landroidx/compose/animation/core/CubicBezierEasing; HSPLandroidx/compose/animation/core/CubicBezierEasing;->()V HSPLandroidx/compose/animation/core/CubicBezierEasing;->(FFFF)V HPLandroidx/compose/animation/core/CubicBezierEasing;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/animation/core/CubicBezierEasing;->evaluateCubic(FFF)F +HPLandroidx/compose/animation/core/CubicBezierEasing;->evaluateCubic(FFF)F HPLandroidx/compose/animation/core/CubicBezierEasing;->transform(F)F Landroidx/compose/animation/core/DecayAnimationSpec; Landroidx/compose/animation/core/DecayAnimationSpecImpl; @@ -1172,12 +1173,12 @@ HSPLandroidx/compose/animation/core/DecayAnimationSpecKt;->generateDecayAnimatio Landroidx/compose/animation/core/DurationBasedAnimationSpec; Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt; -HSPLandroidx/compose/animation/core/EasingKt;->$r8$lambda$7O2TQpsfx-61Y7k3YdwvDNA9V_g(F)F +HPLandroidx/compose/animation/core/EasingKt;->$r8$lambda$mMxEzlbH87hNiWQOEalATwCIuTQ(F)F HSPLandroidx/compose/animation/core/EasingKt;->()V HSPLandroidx/compose/animation/core/EasingKt;->LinearEasing$lambda$0(F)F HSPLandroidx/compose/animation/core/EasingKt;->getFastOutLinearInEasing()Landroidx/compose/animation/core/Easing; HSPLandroidx/compose/animation/core/EasingKt;->getFastOutSlowInEasing()Landroidx/compose/animation/core/Easing; -HSPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; +HPLandroidx/compose/animation/core/EasingKt;->getLinearEasing()Landroidx/compose/animation/core/Easing; Landroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0; HSPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->()V HPLandroidx/compose/animation/core/EasingKt$$ExternalSyntheticLambda0;->transform(F)F @@ -1187,7 +1188,7 @@ Landroidx/compose/animation/core/FloatDecayAnimationSpec; PLandroidx/compose/animation/core/FloatSpringSpec;->()V HPLandroidx/compose/animation/core/FloatSpringSpec;->(FFF)V PLandroidx/compose/animation/core/FloatSpringSpec;->(FFFILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLandroidx/compose/animation/core/FloatSpringSpec;->getDurationNanos(FFF)J +HPLandroidx/compose/animation/core/FloatSpringSpec;->getDurationNanos(FFF)J PLandroidx/compose/animation/core/FloatSpringSpec;->getEndVelocity(FFF)F HPLandroidx/compose/animation/core/FloatSpringSpec;->getValueFromNanos(JFFF)F HPLandroidx/compose/animation/core/FloatSpringSpec;->getVelocityFromNanos(JFFF)F @@ -1196,21 +1197,21 @@ HSPLandroidx/compose/animation/core/FloatTweenSpec;->()V HSPLandroidx/compose/animation/core/FloatTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V HPLandroidx/compose/animation/core/FloatTweenSpec;->clampPlayTime(J)J HPLandroidx/compose/animation/core/FloatTweenSpec;->getValueFromNanos(JFFF)F -HSPLandroidx/compose/animation/core/FloatTweenSpec;->getVelocityFromNanos(JFFF)F +HPLandroidx/compose/animation/core/FloatTweenSpec;->getVelocityFromNanos(JFFF)F Landroidx/compose/animation/core/InfiniteAnimationPolicyKt; HPLandroidx/compose/animation/core/InfiniteAnimationPolicyKt;->withInfiniteAnimationFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/animation/core/InfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->()V HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->(Landroidx/compose/animation/core/DurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;JLkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; +HSPLandroidx/compose/animation/core/InfiniteRepeatableSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; Landroidx/compose/animation/core/InfiniteTransition; HSPLandroidx/compose/animation/core/InfiniteTransition;->()V HSPLandroidx/compose/animation/core/InfiniteTransition;->(Ljava/lang/String;)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->access$getStartTimeNanos$p(Landroidx/compose/animation/core/InfiniteTransition;)J +HPLandroidx/compose/animation/core/InfiniteTransition;->access$getStartTimeNanos$p(Landroidx/compose/animation/core/InfiniteTransition;)J HSPLandroidx/compose/animation/core/InfiniteTransition;->access$get_animations$p(Landroidx/compose/animation/core/InfiniteTransition;)Landroidx/compose/runtime/collection/MutableVector; -HSPLandroidx/compose/animation/core/InfiniteTransition;->access$onFrame(Landroidx/compose/animation/core/InfiniteTransition;J)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->access$setRefreshChildNeeded(Landroidx/compose/animation/core/InfiniteTransition;Z)V +HPLandroidx/compose/animation/core/InfiniteTransition;->access$onFrame(Landroidx/compose/animation/core/InfiniteTransition;J)V +HPLandroidx/compose/animation/core/InfiniteTransition;->access$setRefreshChildNeeded(Landroidx/compose/animation/core/InfiniteTransition;Z)V HSPLandroidx/compose/animation/core/InfiniteTransition;->access$setStartTimeNanos$p(Landroidx/compose/animation/core/InfiniteTransition;J)V HSPLandroidx/compose/animation/core/InfiniteTransition;->addAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HSPLandroidx/compose/animation/core/InfiniteTransition;->isRunning()Z @@ -1218,13 +1219,13 @@ HPLandroidx/compose/animation/core/InfiniteTransition;->onFrame(J)V PLandroidx/compose/animation/core/InfiniteTransition;->removeAnimation$animation_core_release(Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;)V HPLandroidx/compose/animation/core/InfiniteTransition;->run$animation_core_release(Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/animation/core/InfiniteTransition;->setRefreshChildNeeded(Z)V -HSPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V +HPLandroidx/compose/animation/core/InfiniteTransition;->setRunning(Z)V Landroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->(Landroidx/compose/animation/core/InfiniteTransition;Ljava/lang/Object;Ljava/lang/Object;Landroidx/compose/animation/core/TwoWayConverter;Landroidx/compose/animation/core/AnimationSpec;Ljava/lang/String;)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getInitialValue$animation_core_release()Ljava/lang/Object; HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getTargetValue$animation_core_release()Ljava/lang/Object; HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->getValue()Ljava/lang/Object; -HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->isFinished$animation_core_release()Z +HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->isFinished$animation_core_release()Z HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->onPlayTimeChanged$animation_core_release(J)V HSPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->reset$animation_core_release()V HPLandroidx/compose/animation/core/InfiniteTransition$TransitionAnimationState;->setValue$animation_core_release(Ljava/lang/Object;)V @@ -1304,7 +1305,7 @@ PLandroidx/compose/animation/core/MutatorMutex;->access$getMutex$p(Landroidx/com PLandroidx/compose/animation/core/MutatorMutex;->access$tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatorMutex$Mutator;)V PLandroidx/compose/animation/core/MutatorMutex;->mutate$default(Landroidx/compose/animation/core/MutatorMutex;Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;ILjava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/animation/core/MutatorMutex;->mutate(Landroidx/compose/animation/core/MutatePriority;Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V +HPLandroidx/compose/animation/core/MutatorMutex;->tryMutateOrCancel(Landroidx/compose/animation/core/MutatorMutex$Mutator;)V Landroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0; HPLandroidx/compose/animation/core/MutatorMutex$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReference;Ljava/lang/Object;Ljava/lang/Object;)Z PLandroidx/compose/animation/core/MutatorMutex$Mutator;->(Landroidx/compose/animation/core/MutatePriority;Lkotlinx/coroutines/Job;)V @@ -1324,10 +1325,10 @@ PLandroidx/compose/animation/core/SpringEstimationKt;->estimateAnimationDuration HPLandroidx/compose/animation/core/SpringEstimationKt;->estimateCriticallyDamped(Landroidx/compose/animation/core/ComplexDouble;DDD)D PLandroidx/compose/animation/core/SpringEstimationKt;->estimateDurationInternal(Landroidx/compose/animation/core/ComplexDouble;Landroidx/compose/animation/core/ComplexDouble;DDDD)J PLandroidx/compose/animation/core/SpringSimulation;->()V -PLandroidx/compose/animation/core/SpringSimulation;->(F)V +HPLandroidx/compose/animation/core/SpringSimulation;->(F)V PLandroidx/compose/animation/core/SpringSimulation;->getDampingRatio()F PLandroidx/compose/animation/core/SpringSimulation;->getStiffness()F -PLandroidx/compose/animation/core/SpringSimulation;->init()V +HPLandroidx/compose/animation/core/SpringSimulation;->init()V PLandroidx/compose/animation/core/SpringSimulation;->setDampingRatio(F)V HPLandroidx/compose/animation/core/SpringSimulation;->setFinalPosition(F)V PLandroidx/compose/animation/core/SpringSimulation;->setStiffness(F)V @@ -1338,7 +1339,7 @@ PLandroidx/compose/animation/core/SpringSimulationKt;->getUNSET()F Landroidx/compose/animation/core/SpringSpec; HSPLandroidx/compose/animation/core/SpringSpec;->()V HPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;)V -HSPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/animation/core/SpringSpec;->(FFLjava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/animation/core/SpringSpec;->equals(Ljava/lang/Object;)Z PLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedAnimationSpec; HPLandroidx/compose/animation/core/SpringSpec;->vectorize(Landroidx/compose/animation/core/TwoWayConverter;)Landroidx/compose/animation/core/VectorizedSpringSpec; @@ -1372,8 +1373,8 @@ PLandroidx/compose/animation/core/SuspendAnimationKt$animate$7;->(Landroid HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->(Lkotlin/jvm/internal/Ref$ObjectRef;FLandroidx/compose/animation/core/Animation;Landroidx/compose/animation/core/AnimationState;Lkotlin/jvm/functions/Function1;)V HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(J)V HPLandroidx/compose/animation/core/SuspendAnimationKt$animate$9;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V -PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; +HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->(Lkotlin/jvm/functions/Function1;)V +HPLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(J)Ljava/lang/Object; PLandroidx/compose/animation/core/SuspendAnimationKt$callWithFrameNanos$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/TargetBasedAnimation; HSPLandroidx/compose/animation/core/TargetBasedAnimation;->()V @@ -1385,7 +1386,7 @@ HSPLandroidx/compose/animation/core/TargetBasedAnimation;->getTargetValue()Ljava HPLandroidx/compose/animation/core/TargetBasedAnimation;->getTypeConverter()Landroidx/compose/animation/core/TwoWayConverter; HPLandroidx/compose/animation/core/TargetBasedAnimation;->getValueFromNanos(J)Ljava/lang/Object; HPLandroidx/compose/animation/core/TargetBasedAnimation;->getVelocityVectorFromNanos(J)Landroidx/compose/animation/core/AnimationVector; -PLandroidx/compose/animation/core/TargetBasedAnimation;->isInfinite()Z +HPLandroidx/compose/animation/core/TargetBasedAnimation;->isInfinite()Z Landroidx/compose/animation/core/Transition; HSPLandroidx/compose/animation/core/Transition;->()V HSPLandroidx/compose/animation/core/Transition;->(Landroidx/compose/animation/core/MutableTransitionState;Ljava/lang/String;)V @@ -1478,7 +1479,7 @@ HSPLandroidx/compose/animation/core/TweenSpec;->vectorize(Landroidx/compose/anim Landroidx/compose/animation/core/TwoWayConverter; Landroidx/compose/animation/core/TwoWayConverterImpl; HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; +HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertFromVector()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/animation/core/TwoWayConverterImpl;->getConvertToVector()Lkotlin/jvm/functions/Function1; Landroidx/compose/animation/core/VectorConvertersKt; HSPLandroidx/compose/animation/core/VectorConvertersKt;->()V @@ -1539,8 +1540,8 @@ HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$1;->invoke(Lj Landroidx/compose/animation/core/VectorConvertersKt$IntToVector$2; HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->()V -HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Integer; -HSPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Landroidx/compose/animation/core/AnimationVector1D;)Ljava/lang/Integer; +HPLandroidx/compose/animation/core/VectorConvertersKt$IntToVector$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/animation/core/VectorConvertersKt$OffsetToVector$1; HSPLandroidx/compose/animation/core/VectorConvertersKt$OffsetToVector$1;->()V HSPLandroidx/compose/animation/core/VectorConvertersKt$OffsetToVector$1;->()V @@ -1565,7 +1566,7 @@ Landroidx/compose/animation/core/VectorizedAnimationSpecKt; PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->access$createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->clampPlayTime(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;J)J PLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->createSpringAnimations(Landroidx/compose/animation/core/AnimationVector;FF)Landroidx/compose/animation/core/Animations; -HSPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->getValueFromMillis(Landroidx/compose/animation/core/VectorizedAnimationSpec;JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt;->getValueFromMillis(Landroidx/compose/animation/core/VectorizedAnimationSpec;JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->(Landroidx/compose/animation/core/AnimationVector;FF)V HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; HPLandroidx/compose/animation/core/VectorizedAnimationSpecKt$createSpringAnimations$1;->get(I)Landroidx/compose/animation/core/FloatSpringSpec; @@ -1585,7 +1586,7 @@ HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getValueFromNa HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VectorizedFloatAnimationSpec$1; HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->(Landroidx/compose/animation/core/FloatAnimationSpec;)V -HSPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; +HPLandroidx/compose/animation/core/VectorizedFloatAnimationSpec$1;->get(I)Landroidx/compose/animation/core/FloatAnimationSpec; Landroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec; HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->()V HSPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->(Landroidx/compose/animation/core/VectorizedDurationBasedAnimationSpec;Landroidx/compose/animation/core/RepeatMode;J)V @@ -1598,26 +1599,26 @@ HPLandroidx/compose/animation/core/VectorizedInfiniteRepeatableSpec;->repetition Landroidx/compose/animation/core/VectorizedKeyframesSpec; HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->()V HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->(Ljava/util/Map;II)V -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDelayMillis()I -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDurationMillis()I +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDelayMillis()I +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getDurationMillis()I HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HSPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->init(Landroidx/compose/animation/core/AnimationVector;)V +HPLandroidx/compose/animation/core/VectorizedKeyframesSpec;->init(Landroidx/compose/animation/core/AnimationVector;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->()V PLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/AnimationVector;)V HPLandroidx/compose/animation/core/VectorizedSpringSpec;->(FFLandroidx/compose/animation/core/Animations;)V PLandroidx/compose/animation/core/VectorizedSpringSpec;->getDurationNanos(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)J PLandroidx/compose/animation/core/VectorizedSpringSpec;->getEndVelocity(Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; PLandroidx/compose/animation/core/VectorizedSpringSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -PLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -PLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedSpringSpec;->isInfinite()Z Landroidx/compose/animation/core/VectorizedTweenSpec; HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->()V HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->(IILandroidx/compose/animation/core/Easing;)V HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDelayMillis()I HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getDurationMillis()I -HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; -HSPLandroidx/compose/animation/core/VectorizedTweenSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedTweenSpec;->getValueFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; +HPLandroidx/compose/animation/core/VectorizedTweenSpec;->getVelocityFromNanos(JLandroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;Landroidx/compose/animation/core/AnimationVector;)Landroidx/compose/animation/core/AnimationVector; Landroidx/compose/animation/core/VisibilityThresholdsKt; HSPLandroidx/compose/animation/core/VisibilityThresholdsKt;->()V HSPLandroidx/compose/animation/core/VisibilityThresholdsKt;->getVisibilityThreshold(Landroidx/compose/ui/geometry/Offset$Companion;)J @@ -1676,7 +1677,7 @@ HPLandroidx/compose/foundation/AndroidOverscroll_androidKt;->rememberOverscrollE PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->()V PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1;->invoke-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->(Landroidx/compose/ui/layout/Placeable;I)V HPLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V PLandroidx/compose/foundation/AndroidOverscroll_androidKt$StretchOverscrollNonClippingLayer$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -1761,7 +1762,7 @@ PLandroidx/compose/foundation/EdgeEffectCompat;->()V PLandroidx/compose/foundation/EdgeEffectCompat;->create(Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/widget/EdgeEffect; PLandroidx/compose/foundation/EdgeEffectCompat;->getDistanceCompat(Landroid/widget/EdgeEffect;)F Landroidx/compose/foundation/FocusableElement; -HSPLandroidx/compose/foundation/FocusableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HPLandroidx/compose/foundation/FocusableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/FocusableElement;->create()Landroidx/compose/foundation/FocusableNode; HSPLandroidx/compose/foundation/FocusableElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/FocusableElement;->equals(Ljava/lang/Object;)Z @@ -1786,7 +1787,7 @@ HPLandroidx/compose/foundation/FocusableKt$focusableInNonTouchMode$1;->(ZL Landroidx/compose/foundation/FocusableNode; HPLandroidx/compose/foundation/FocusableNode;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/FocusableNode;->onFocusEvent(Landroidx/compose/ui/focus/FocusState;)V -HPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/FocusableNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HSPLandroidx/compose/foundation/FocusableNode;->onPlaced(Landroidx/compose/ui/layout/LayoutCoordinates;)V Landroidx/compose/foundation/FocusablePinnableContainerNode; HSPLandroidx/compose/foundation/FocusablePinnableContainerNode;->()V @@ -1802,13 +1803,13 @@ PLandroidx/compose/foundation/FocusedBoundsKt$ModifierLocalFocusedBoundsObserver Landroidx/compose/foundation/FocusedBoundsNode; HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V HSPLandroidx/compose/foundation/FocusedBoundsNode;->()V -HPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V +HSPLandroidx/compose/foundation/FocusedBoundsNode;->onGloballyPositioned(Landroidx/compose/ui/layout/LayoutCoordinates;)V HSPLandroidx/compose/foundation/FocusedBoundsNode;->setFocus(Z)V PLandroidx/compose/foundation/FocusedBoundsObserverNode;->()V PLandroidx/compose/foundation/FocusedBoundsObserverNode;->(Lkotlin/jvm/functions/Function1;)V PLandroidx/compose/foundation/FocusedBoundsObserverNode$focusBoundsObserver$1;->(Landroidx/compose/foundation/FocusedBoundsObserverNode;)V Landroidx/compose/foundation/HoverableElement; -HSPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V +HPLandroidx/compose/foundation/HoverableElement;->(Landroidx/compose/foundation/interaction/MutableInteractionSource;)V HPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/foundation/HoverableNode; HSPLandroidx/compose/foundation/HoverableElement;->create()Landroidx/compose/ui/Modifier$Node; HSPLandroidx/compose/foundation/HoverableElement;->equals(Ljava/lang/Object;)Z @@ -2114,7 +2115,7 @@ Landroidx/compose/foundation/layout/BoxMeasurePolicy; HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->(Landroidx/compose/ui/Alignment;Z)V HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->access$getAlignment$p(Landroidx/compose/foundation/layout/BoxMeasurePolicy;)Landroidx/compose/ui/Alignment; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; +HPLandroidx/compose/foundation/layout/BoxMeasurePolicy;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Ljava/util/List;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1; HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V HSPLandroidx/compose/foundation/layout/BoxMeasurePolicy$measure$1;->()V @@ -2226,7 +2227,7 @@ HPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateRightPaddin HSPLandroidx/compose/foundation/layout/InsetsPaddingValues;->calculateTopPadding-D9Ej5fM()F Landroidx/compose/foundation/layout/InsetsValues; HSPLandroidx/compose/foundation/layout/InsetsValues;->()V -HPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V +HSPLandroidx/compose/foundation/layout/InsetsValues;->(IIII)V HSPLandroidx/compose/foundation/layout/InsetsValues;->equals(Ljava/lang/Object;)Z Landroidx/compose/foundation/layout/LayoutOrientation; HSPLandroidx/compose/foundation/layout/LayoutOrientation;->$values()[Landroidx/compose/foundation/layout/LayoutOrientation; @@ -2290,7 +2291,7 @@ HSPLandroidx/compose/foundation/layout/PaddingNode;->(FFFFZLkotlin/jvm/int HSPLandroidx/compose/foundation/layout/PaddingNode;->getRtlAware()Z HSPLandroidx/compose/foundation/layout/PaddingNode;->getStart-D9Ej5fM()F HSPLandroidx/compose/foundation/layout/PaddingNode;->getTop-D9Ej5fM()F -HPLandroidx/compose/foundation/layout/PaddingNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HSPLandroidx/compose/foundation/layout/PaddingNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/foundation/layout/PaddingNode$measure$1; HPLandroidx/compose/foundation/layout/PaddingNode$measure$1;->(Landroidx/compose/foundation/layout/PaddingNode;Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/layout/MeasureScope;)V HPLandroidx/compose/foundation/layout/PaddingNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V @@ -2354,7 +2355,7 @@ HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->crossAxisSize HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->getCrossAxisPosition(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/foundation/layout/RowColumnParentData;ILandroidx/compose/ui/unit/LayoutDirection;I)I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisPositions(I[I[ILandroidx/compose/ui/layout/MeasureScope;)[I HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->mainAxisSize(Landroidx/compose/ui/layout/Placeable;)I -HSPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; +HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->measureWithoutPlacing-_EkL_-Y(Landroidx/compose/ui/layout/MeasureScope;JII)Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult; HPLandroidx/compose/foundation/layout/RowColumnMeasurementHelper;->placeHelper(Landroidx/compose/ui/layout/Placeable$PlacementScope;Landroidx/compose/foundation/layout/RowColumnMeasureHelperResult;ILandroidx/compose/ui/unit/LayoutDirection;)V Landroidx/compose/foundation/layout/RowColumnParentData; HSPLandroidx/compose/foundation/layout/RowColumnParentData;->()V @@ -2516,7 +2517,7 @@ HSPLandroidx/compose/foundation/layout/WindowInsetsSides$Companion;->getTop-JoeW Landroidx/compose/foundation/layout/WindowInsets_androidKt; HSPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->ValueInsets(Landroidx/core/graphics/Insets;Ljava/lang/String;)Landroidx/compose/foundation/layout/ValueInsets; HPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->getSystemBars(Landroidx/compose/foundation/layout/WindowInsets$Companion;Landroidx/compose/runtime/Composer;I)Landroidx/compose/foundation/layout/WindowInsets; -HPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->toInsetsValues(Landroidx/core/graphics/Insets;)Landroidx/compose/foundation/layout/InsetsValues; +HSPLandroidx/compose/foundation/layout/WindowInsets_androidKt;->toInsetsValues(Landroidx/core/graphics/Insets;)Landroidx/compose/foundation/layout/InsetsValues; Landroidx/compose/foundation/layout/WrapContentElement; HSPLandroidx/compose/foundation/layout/WrapContentElement;->()V HSPLandroidx/compose/foundation/layout/WrapContentElement;->(Landroidx/compose/foundation/layout/Direction;ZLkotlin/jvm/functions/Function2;Ljava/lang/Object;Ljava/lang/String;)V @@ -2539,7 +2540,7 @@ PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->()V PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->(IILjava/lang/Object;)V HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getSize()I HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getStartIndex()I -HPLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getValue()Ljava/lang/Object; +PLandroidx/compose/foundation/lazy/layout/IntervalList$Interval;->getValue()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->access$binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I PLandroidx/compose/foundation/lazy/layout/IntervalListKt;->binarySearch(Landroidx/compose/runtime/collection/MutableVector;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->()V @@ -2552,12 +2553,12 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->animatePlacemen PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->cancelPlacementAnimation()V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getPlacementDelta-nOcc-ac()J PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->getRawOffset-nOcc-ac()J -PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->isPlacementAnimationInProgress()Z +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->isPlacementAnimationInProgress()Z PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setAppearanceSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementAnimationInProgress(Z)V HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementDelta--gyyYBs(J)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setPlacementSpec(Landroidx/compose/animation/core/FiniteAnimationSpec;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setRawOffset--gyyYBs(J)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation;->setRawOffset--gyyYBs(J)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutAnimation$Companion;->getNotInitialized-nOcc-ac()J @@ -2619,7 +2620,7 @@ HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$Skippa HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactoryKt$SkippableItem$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemProviderKt;->findIndexByKey(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemProvider;Ljava/lang/Object;I)I PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->(Landroidx/compose/foundation/lazy/layout/LazyLayoutItemContentFactory;)V -PLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V +HPLandroidx/compose/foundation/lazy/layout/LazyLayoutItemReusePolicy;->getSlotsToRetain(Landroidx/compose/ui/layout/SubcomposeSlotReusePolicy$SlotIdsSet;)V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V PLandroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap$Empty;->()V @@ -2747,7 +2748,7 @@ PLandroidx/compose/foundation/lazy/layout/StableValue;->constructor-impl(Ljava/l PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->(Landroidx/compose/animation/core/FiniteAnimationSpec;)V PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimationSpecsNode; PLandroidx/compose/foundation/lazy/staggeredgrid/AnimateItemElement;->create()Landroidx/compose/ui/Modifier$Node; -PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->(III)V +HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->(III)V HPLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getAnimations()[Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;->getLane()I @@ -2784,7 +2785,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementA HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->access$getKeyIndexMap$p(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)Landroidx/compose/foundation/lazy/layout/LazyLayoutKeyIndexMap; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getAnimation(Ljava/lang/Object;I)Landroidx/compose/foundation/lazy/layout/LazyLayoutAnimation; -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getHasAnimations(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)Z +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->getHasAnimations(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)Z HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->initializeAnimation(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;ILandroidx/compose/foundation/lazy/staggeredgrid/ItemInfo;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->onMeasured(IIILjava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureProvider;ZILkotlinx/coroutines/CoroutineScope;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;->startAnimationsIfNeeded(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;)V @@ -2839,7 +2840,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState;Ljava/util/List;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;JZLandroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;IJIIZILkotlinx/coroutines/CoroutineScope;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getAfterContentPadding()I -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getBeforeContentPadding()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getBeforeContentPadding()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getConstraints-msEJaDk()J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getContentOffset-nOcc-ac()J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getCoroutineScope()Lkotlinx/coroutines/CoroutineScope; @@ -2856,7 +2857,7 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getSpanRange-lOCCd4c(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;II)J PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->getState()Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridState; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->isFullSpan(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;I)Z -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->isVertical()Z +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;->isVertical()Z PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext$measuredItemProvider$1;->(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;ZLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemProvider;Landroidx/compose/foundation/lazy/layout/LazyLayoutMeasureScope;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridSlots;)V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext$measuredItemProvider$1;->createItem(IIILjava/lang/Object;Ljava/lang/Object;Ljava/util/List;)Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem; HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureKt;->calculateVisibleItems(Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureContext;[Lkotlin/collections/ArrayDeque;[II)Ljava/util/List; @@ -2909,15 +2910,15 @@ PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultK PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasureResultKt$EmptyLazyStaggeredGridLayoutInfo$1;->()V PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->()V HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->(ILjava/lang/Object;Ljava/util/List;ZIIIIILjava/lang/Object;Landroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridItemPlacementAnimator;)V -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getCrossAxisOffset()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getIndex()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getKey()Ljava/lang/Object; PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getLane()I HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxis--gyyYBs(J)I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getMainAxisSize()I -PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J +HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getOffset-nOcc-ac()J HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getParentData(I)Ljava/lang/Object; -HPLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I +PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getPlaceablesCount()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSizeWithSpacings()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->getSpan()I PLandroidx/compose/foundation/lazy/staggeredgrid/LazyStaggeredGridMeasuredItem;->isVertical()Z @@ -3074,7 +3075,7 @@ HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape- HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->RoundedCornerShape-a9UjIt4(FFFF)Landroidx/compose/foundation/shape/RoundedCornerShape; HSPLandroidx/compose/foundation/shape/RoundedCornerShapeKt;->getCircleShape()Landroidx/compose/foundation/shape/RoundedCornerShape; Landroidx/compose/foundation/text/BasicTextKt; -HSPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V +HPLandroidx/compose/foundation/text/BasicTextKt;->BasicText-VhcvRP8(Ljava/lang/String;Landroidx/compose/ui/Modifier;Landroidx/compose/ui/text/TextStyle;Lkotlin/jvm/functions/Function1;IZIILandroidx/compose/ui/graphics/ColorProducer;Landroidx/compose/runtime/Composer;II)V Landroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1; HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/foundation/text/BasicTextKt$BasicText-VhcvRP8$$inlined$Layout$1;->invoke()Ljava/lang/Object; @@ -3093,7 +3094,7 @@ Landroidx/compose/foundation/text/TextDelegateKt; HPLandroidx/compose/foundation/text/TextDelegateKt;->ceilToIntPx(F)I Landroidx/compose/foundation/text/modifiers/InlineDensity; HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->()V -HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->access$getUnspecified$cp()J +HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->access$getUnspecified$cp()J HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(FF)J HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(J)J HPLandroidx/compose/foundation/text/modifiers/InlineDensity;->constructor-impl(Landroidx/compose/ui/unit/Density;)J @@ -3101,16 +3102,16 @@ HSPLandroidx/compose/foundation/text/modifiers/InlineDensity;->equals-impl0(JJ)Z Landroidx/compose/foundation/text/modifiers/InlineDensity$Companion; HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->()V HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->getUnspecified-L26CHvs()J +HPLandroidx/compose/foundation/text/modifiers/InlineDensity$Companion;->getUnspecified-L26CHvs()J Landroidx/compose/foundation/text/modifiers/LayoutUtilsKt; HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalConstraints-tfFHcEY(JZIF)J -HSPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxLines-xdlQI24(ZII)I +HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxLines-xdlQI24(ZII)I HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->finalMaxWidth-tfFHcEY(JZIF)I HPLandroidx/compose/foundation/text/modifiers/LayoutUtilsKt;->fixedCoerceHeightAndWidthForBits(Landroidx/compose/ui/unit/Constraints$Companion;II)J Landroidx/compose/foundation/text/modifiers/ParagraphLayoutCache; HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->()V HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZII)V -HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Landroidx/compose/ui/text/font/FontFamily$Resolver;IZIILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getDidOverflow$foundation_release()Z HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getLayoutSize-YbymL2g$foundation_release()J HPLandroidx/compose/foundation/text/modifiers/ParagraphLayoutCache;->getObserveFontChanges$foundation_release()Lkotlin/Unit; @@ -3288,7 +3289,7 @@ HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->getRippleH HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onForgotten()V HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance;->onRemembered()V Landroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1; -HSPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1;->(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V +HPLandroidx/compose/material/ripple/AndroidRippleIndicationInstance$onInvalidateRipple$1;->(Landroidx/compose/material/ripple/AndroidRippleIndicationInstance;)V Landroidx/compose/material/ripple/PlatformRipple; HSPLandroidx/compose/material/ripple/PlatformRipple;->()V HSPLandroidx/compose/material/ripple/PlatformRipple;->(ZFLandroidx/compose/runtime/State;)V @@ -3306,7 +3307,7 @@ HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->(La HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1; -HSPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V +HPLandroidx/compose/material/ripple/Ripple$rememberUpdatedInstance$1$1;->(Landroidx/compose/material/ripple/RippleIndicationInstance;Lkotlinx/coroutines/CoroutineScope;)V Landroidx/compose/material/ripple/RippleAlpha; HSPLandroidx/compose/material/ripple/RippleAlpha;->()V HSPLandroidx/compose/material/ripple/RippleAlpha;->(FFFF)V @@ -3319,7 +3320,7 @@ Landroidx/compose/material/ripple/RippleHostView; Landroidx/compose/material/ripple/RippleIndicationInstance; HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->()V HPLandroidx/compose/material/ripple/RippleIndicationInstance;->(ZLandroidx/compose/runtime/State;)V -HSPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V +HPLandroidx/compose/material/ripple/RippleIndicationInstance;->drawStateLayer-H2RKhps(Landroidx/compose/ui/graphics/drawscope/DrawScope;FJ)V Landroidx/compose/material/ripple/RippleKt; HSPLandroidx/compose/material/ripple/RippleKt;->()V HPLandroidx/compose/material/ripple/RippleKt;->rememberRipple-9IZ8Weo(ZFJLandroidx/compose/runtime/Composer;II)Landroidx/compose/foundation/Indication; @@ -3571,7 +3572,7 @@ HSPLandroidx/compose/material3/MappedInteractionSource;->(Landroidx/compos HSPLandroidx/compose/material3/MappedInteractionSource;->getInteractions()Lkotlinx/coroutines/flow/Flow; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->(Lkotlinx/coroutines/flow/Flow;Landroidx/compose/material3/MappedInteractionSource;)V -HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2; HSPLandroidx/compose/material3/MappedInteractionSource$special$$inlined$map$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;Landroidx/compose/material3/MappedInteractionSource;)V Landroidx/compose/material3/MaterialRippleTheme; @@ -3707,16 +3708,16 @@ HSPLandroidx/compose/material3/ProgressIndicatorDefaults;->getCircularTrackColor Landroidx/compose/material3/ProgressIndicatorKt; HSPLandroidx/compose/material3/ProgressIndicatorKt;->()V HPLandroidx/compose/material3/ProgressIndicatorKt;->CircularProgressIndicator-LxG7B9w(Landroidx/compose/ui/Modifier;JFJILandroidx/compose/runtime/Composer;II)V -HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V +HPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V +HPLandroidx/compose/material3/ProgressIndicatorKt;->access$drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V HSPLandroidx/compose/material3/ProgressIndicatorKt;->access$getCircularEasing$p()Landroidx/compose/animation/core/CubicBezierEasing; HPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicator-42QJj7c(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V +HPLandroidx/compose/material3/ProgressIndicatorKt;->drawCircularIndicatorTrack-bw27NRU(Landroidx/compose/ui/graphics/drawscope/DrawScope;JLandroidx/compose/ui/graphics/drawscope/Stroke;)V HPLandroidx/compose/material3/ProgressIndicatorKt;->drawIndeterminateCircularIndicator-hrjfTZI(Landroidx/compose/ui/graphics/drawscope/DrawScope;FFFJLandroidx/compose/ui/graphics/drawscope/Stroke;)V Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1; HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->(JLandroidx/compose/ui/graphics/drawscope/Stroke;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;Landroidx/compose/runtime/State;FJ)V HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V -HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$4$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1; HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V HSPLandroidx/compose/material3/ProgressIndicatorKt$CircularProgressIndicator$endAngle$1;->()V @@ -3870,7 +3871,7 @@ HSPLandroidx/compose/material3/TopAppBarState;->access$getSaver$cp()Landroidx/co HSPLandroidx/compose/material3/TopAppBarState;->getContentOffset()F HSPLandroidx/compose/material3/TopAppBarState;->getHeightOffset()F HPLandroidx/compose/material3/TopAppBarState;->getHeightOffsetLimit()F -HPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F +HSPLandroidx/compose/material3/TopAppBarState;->getOverlappedFraction()F HSPLandroidx/compose/material3/TopAppBarState;->setHeightOffsetLimit(F)V Landroidx/compose/material3/TopAppBarState$Companion; HSPLandroidx/compose/material3/TopAppBarState$Companion;->()V @@ -4201,7 +4202,6 @@ PLandroidx/compose/material3/windowsizeclass/WindowSizeClass$Companion;->calcula PLandroidx/compose/material3/windowsizeclass/WindowSizeClassKt;->()V PLandroidx/compose/material3/windowsizeclass/WindowSizeClassKt;->access$getDefaultDensity$p()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/material3/windowsizeclass/WindowSizeClass_androidKt;->calculateWindowSizeClass(Landroidx/compose/runtime/Composer;I)Landroidx/compose/material3/windowsizeclass/WindowSizeClass; -PLandroidx/compose/material3/windowsizeclass/WindowSizeClass_androidKt;->findActivity(Landroid/content/Context;)Landroid/app/Activity; PLandroidx/compose/material3/windowsizeclass/WindowWidthSizeClass;->()V PLandroidx/compose/material3/windowsizeclass/WindowWidthSizeClass;->(I)V PLandroidx/compose/material3/windowsizeclass/WindowWidthSizeClass;->access$getDefaultSizeClasses$cp()Ljava/util/Set; @@ -4267,9 +4267,9 @@ Landroidx/compose/runtime/BroadcastFrameClock; HSPLandroidx/compose/runtime/BroadcastFrameClock;->()V HSPLandroidx/compose/runtime/BroadcastFrameClock;->(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/util/List; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getFailureCause$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Throwable; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getLock$p(Landroidx/compose/runtime/BroadcastFrameClock;)Ljava/lang/Object; +HPLandroidx/compose/runtime/BroadcastFrameClock;->access$getOnNewAwaiters$p(Landroidx/compose/runtime/BroadcastFrameClock;)Lkotlin/jvm/functions/Function0; HSPLandroidx/compose/runtime/BroadcastFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLandroidx/compose/runtime/BroadcastFrameClock;->getHasAwaiters()Z @@ -4280,7 +4280,7 @@ HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->(Lkotlin/jv HPLandroidx/compose/runtime/BroadcastFrameClock$FrameAwaiter;->resume(J)V Landroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1; HPLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->(Landroidx/compose/runtime/BroadcastFrameClock;Lkotlin/jvm/internal/Ref$ObjectRef;)V -PLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/BroadcastFrameClock$withFrameNanos$2$1;->invoke(Ljava/lang/Throwable;)V Landroidx/compose/runtime/ComposableSingletons$CompositionKt; HSPLandroidx/compose/runtime/ComposableSingletons$CompositionKt;->()V @@ -4317,7 +4317,7 @@ HSPLandroidx/compose/runtime/ComposerImpl;->access$invokeMovableContentLambda(La HPLandroidx/compose/runtime/ComposerImpl;->access$setChildrenComposing$p(Landroidx/compose/runtime/ComposerImpl;I)V HSPLandroidx/compose/runtime/ComposerImpl;->access$setNodeCountOverrides$p(Landroidx/compose/runtime/ComposerImpl;[I)V HSPLandroidx/compose/runtime/ComposerImpl;->access$setProviderUpdates$p(Landroidx/compose/runtime/ComposerImpl;Landroidx/compose/runtime/collection/IntMap;)V -HPLandroidx/compose/runtime/ComposerImpl;->addRecomposeScope()V +HSPLandroidx/compose/runtime/ComposerImpl;->addRecomposeScope()V HPLandroidx/compose/runtime/ComposerImpl;->apply(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->buildContext()Landroidx/compose/runtime/CompositionContext; HPLandroidx/compose/runtime/ComposerImpl;->changed(F)Z @@ -4341,7 +4341,6 @@ PLandroidx/compose/runtime/ComposerImpl;->deactivateToEndGroup(Z)V HPLandroidx/compose/runtime/ComposerImpl;->dispose$runtime_release()V HPLandroidx/compose/runtime/ComposerImpl;->doCompose(Landroidx/compose/runtime/collection/IdentityArrayMap;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/ComposerImpl;->doRecordDownsFor(II)V -HPLandroidx/compose/runtime/ComposerImpl;->end(Z)V HPLandroidx/compose/runtime/ComposerImpl;->endDefaults()V HPLandroidx/compose/runtime/ComposerImpl;->endGroup()V HSPLandroidx/compose/runtime/ComposerImpl;->endMovableGroup()V @@ -4353,7 +4352,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->endRestartGroup()Landroidx/compose/ru HPLandroidx/compose/runtime/ComposerImpl;->endReusableGroup()V HPLandroidx/compose/runtime/ComposerImpl;->endRoot()V HPLandroidx/compose/runtime/ComposerImpl;->ensureWriter()V -HPLandroidx/compose/runtime/ComposerImpl;->exitGroup(IZ)V +HSPLandroidx/compose/runtime/ComposerImpl;->enterGroup(ZLandroidx/compose/runtime/Pending;)V HPLandroidx/compose/runtime/ComposerImpl;->finalizeCompose()V HPLandroidx/compose/runtime/ComposerImpl;->getApplier()Landroidx/compose/runtime/Applier; HPLandroidx/compose/runtime/ComposerImpl;->getApplyCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -4391,7 +4390,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->recordSideEffect(Lkotlin/jvm/function HPLandroidx/compose/runtime/ComposerImpl;->recordUpsAndDowns(III)V HPLandroidx/compose/runtime/ComposerImpl;->recordUsed(Landroidx/compose/runtime/RecomposeScope;)V HPLandroidx/compose/runtime/ComposerImpl;->rememberedValue()Ljava/lang/Object; -HPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent$reportGroup(Landroidx/compose/runtime/ComposerImpl;IZI)I +HSPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent$reportGroup(Landroidx/compose/runtime/ComposerImpl;IZI)I HSPLandroidx/compose/runtime/ComposerImpl;->reportFreeMovableContent(I)V HSPLandroidx/compose/runtime/ComposerImpl;->setReader$runtime_release(Landroidx/compose/runtime/SlotReader;)V HPLandroidx/compose/runtime/ComposerImpl;->skipCurrentGroup()V @@ -4414,7 +4413,7 @@ HPLandroidx/compose/runtime/ComposerImpl;->startReusableGroup(ILjava/lang/Object HPLandroidx/compose/runtime/ComposerImpl;->startReusableNode()V HPLandroidx/compose/runtime/ComposerImpl;->startRoot()V HPLandroidx/compose/runtime/ComposerImpl;->tryImminentInvalidation$runtime_release(Landroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)Z -HSPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V +HPLandroidx/compose/runtime/ComposerImpl;->updateCachedValue(Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroup(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeEnterGroupKeyHash(I)V HPLandroidx/compose/runtime/ComposerImpl;->updateCompoundKeyWhenWeExitGroup(ILjava/lang/Object;Ljava/lang/Object;)V @@ -4463,7 +4462,7 @@ HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->( HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLandroidx/compose/runtime/ComposerImpl$invokeMovableContentLambda$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/ComposerKt; -HSPLandroidx/compose/runtime/ComposerKt;->$r8$lambda$kSVdS0_EjXVhjdybgvOrZP-jexQ(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I +HSPLandroidx/compose/runtime/ComposerKt;->$r8$lambda$UXSvu71fSZnFJDgYvdjYUFl0jX4(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HSPLandroidx/compose/runtime/ComposerKt;->()V HSPLandroidx/compose/runtime/ComposerKt;->InvalidationLocationAscending$lambda$15(Landroidx/compose/runtime/Invalidation;Landroidx/compose/runtime/Invalidation;)I HPLandroidx/compose/runtime/ComposerKt;->access$asBool(I)Z @@ -4471,8 +4470,8 @@ HPLandroidx/compose/runtime/ComposerKt;->access$asInt(Z)I HPLandroidx/compose/runtime/ComposerKt;->access$firstInRange(Ljava/util/List;II)Landroidx/compose/runtime/Invalidation; HPLandroidx/compose/runtime/ComposerKt;->access$getInvalidationLocationAscending$p()Ljava/util/Comparator; PLandroidx/compose/runtime/ComposerKt;->access$getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V -HSPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; +HPLandroidx/compose/runtime/ComposerKt;->access$insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V +HPLandroidx/compose/runtime/ComposerKt;->access$multiMap()Ljava/util/HashMap; HPLandroidx/compose/runtime/ComposerKt;->access$nearestCommonRootOf(Landroidx/compose/runtime/SlotReader;III)I HPLandroidx/compose/runtime/ComposerKt;->access$pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->access$put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z @@ -4489,7 +4488,7 @@ HPLandroidx/compose/runtime/ComposerKt;->getCompositionLocalMap()Ljava/lang/Obje HPLandroidx/compose/runtime/ComposerKt;->getInvocation()Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->getJoinedKey(Landroidx/compose/runtime/KeyInfo;)Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->getProvider()Ljava/lang/Object; -HSPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; +HPLandroidx/compose/runtime/ComposerKt;->getProviderMaps()Ljava/lang/Object; HSPLandroidx/compose/runtime/ComposerKt;->getReference()Ljava/lang/Object; HPLandroidx/compose/runtime/ComposerKt;->insertIfMissing(Ljava/util/List;ILandroidx/compose/runtime/RecomposeScopeImpl;Ljava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->isTraceInProgress()Z @@ -4498,7 +4497,7 @@ HPLandroidx/compose/runtime/ComposerKt;->nearestCommonRootOf(Landroidx/compose/r HPLandroidx/compose/runtime/ComposerKt;->pop(Ljava/util/HashMap;Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/compose/runtime/ComposerKt;->put(Ljava/util/HashMap;Ljava/lang/Object;Ljava/lang/Object;)Z HPLandroidx/compose/runtime/ComposerKt;->removeCurrentGroup(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V -HPLandroidx/compose/runtime/ComposerKt;->removeData(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V +PLandroidx/compose/runtime/ComposerKt;->removeData(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/ComposerKt;->removeLocation(Ljava/util/List;I)Landroidx/compose/runtime/Invalidation; HSPLandroidx/compose/runtime/ComposerKt;->removeRange(Ljava/util/List;II)V HPLandroidx/compose/runtime/ComposerKt;->runtimeCheck(Z)V @@ -4546,13 +4545,14 @@ HPLandroidx/compose/runtime/CompositionImpl;->invalidate(Landroidx/compose/runti HPLandroidx/compose/runtime/CompositionImpl;->invalidateChecked(Landroidx/compose/runtime/RecomposeScopeImpl;Landroidx/compose/runtime/Anchor;Ljava/lang/Object;)Landroidx/compose/runtime/InvalidationResult; HPLandroidx/compose/runtime/CompositionImpl;->invalidateScopeOfLocked(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->isComposing()Z -HSPLandroidx/compose/runtime/CompositionImpl;->isDisposed()Z +HPLandroidx/compose/runtime/CompositionImpl;->isDisposed()Z HPLandroidx/compose/runtime/CompositionImpl;->observer()Landroidx/compose/runtime/tooling/CompositionObserver; PLandroidx/compose/runtime/CompositionImpl;->observesAnyOf(Ljava/util/Set;)Z PLandroidx/compose/runtime/CompositionImpl;->prepareCompose(Lkotlin/jvm/functions/Function0;)V HPLandroidx/compose/runtime/CompositionImpl;->recompose()Z HPLandroidx/compose/runtime/CompositionImpl;->recomposeScopeReleased(Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->recordModificationsOf(Ljava/util/Set;)V +HPLandroidx/compose/runtime/CompositionImpl;->recordReadOf(Ljava/lang/Object;)V HPLandroidx/compose/runtime/CompositionImpl;->recordWriteOf(Ljava/lang/Object;)V HSPLandroidx/compose/runtime/CompositionImpl;->removeObservation$runtime_release(Ljava/lang/Object;Landroidx/compose/runtime/RecomposeScopeImpl;)V HPLandroidx/compose/runtime/CompositionImpl;->setContent(Lkotlin/jvm/functions/Function2;)V @@ -4631,7 +4631,7 @@ HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->assign(Landroidx HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->create()Landroidx/compose/runtime/snapshots/StateRecord; HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getCurrentValue()Ljava/lang/Object; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getDependencies()Landroidx/collection/ObjectIntMap; -HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; +HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->getResult()Ljava/lang/Object; HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->isValid(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)Z HPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->readableHash(Landroidx/compose/runtime/DerivedState;Landroidx/compose/runtime/snapshots/Snapshot;)I HSPLandroidx/compose/runtime/DerivedSnapshotState$ResultRecord;->setDependencies(Landroidx/collection/ObjectIntMap;)V @@ -4670,7 +4670,7 @@ HPLandroidx/compose/runtime/EffectsKt;->DisposableEffect(Ljava/lang/Object;Lkotl HPLandroidx/compose/runtime/EffectsKt;->LaunchedEffect(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/runtime/EffectsKt;->LaunchedEffect(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/runtime/EffectsKt;->SideEffect(Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)V -HPLandroidx/compose/runtime/EffectsKt;->access$getInternalDisposableEffectScope$p()Landroidx/compose/runtime/DisposableEffectScope; +HSPLandroidx/compose/runtime/EffectsKt;->access$getInternalDisposableEffectScope$p()Landroidx/compose/runtime/DisposableEffectScope; HPLandroidx/compose/runtime/EffectsKt;->createCompositionCoroutineScope(Lkotlin/coroutines/CoroutineContext;Landroidx/compose/runtime/Composer;)Lkotlinx/coroutines/CoroutineScope; Landroidx/compose/runtime/FloatState; Landroidx/compose/runtime/GroupInfo; @@ -4723,9 +4723,9 @@ PLandroidx/compose/runtime/KeyInfo;->getObjectKey()Ljava/lang/Object; Landroidx/compose/runtime/Latch; HSPLandroidx/compose/runtime/Latch;->()V HSPLandroidx/compose/runtime/Latch;->()V -HSPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/runtime/Latch;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Latch;->closeLatch()V -HSPLandroidx/compose/runtime/Latch;->isOpen()Z +HPLandroidx/compose/runtime/Latch;->isOpen()Z HSPLandroidx/compose/runtime/Latch;->openLatch()V Landroidx/compose/runtime/LaunchedEffectImpl; HSPLandroidx/compose/runtime/LaunchedEffectImpl;->()V @@ -4828,7 +4828,7 @@ HSPLandroidx/compose/runtime/PausableMonotonicFrameClock;->pause()V HSPLandroidx/compose/runtime/PausableMonotonicFrameClock;->resume()V HPLandroidx/compose/runtime/PausableMonotonicFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1; -HSPLandroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1;->(Landroidx/compose/runtime/PausableMonotonicFrameClock;Lkotlin/coroutines/Continuation;)V +HPLandroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1;->(Landroidx/compose/runtime/PausableMonotonicFrameClock;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/PausableMonotonicFrameClock$withFrameNanos$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Pending; HPLandroidx/compose/runtime/Pending;->(Ljava/util/List;I)V @@ -4843,7 +4843,7 @@ HPLandroidx/compose/runtime/Pending;->registerInsert(Landroidx/compose/runtime/K HPLandroidx/compose/runtime/Pending;->updateNodeCount(II)Z Landroidx/compose/runtime/Pending$keyMap$2; HPLandroidx/compose/runtime/Pending$keyMap$2;->(Landroidx/compose/runtime/Pending;)V -HSPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/Pending$keyMap$2;->invoke()Ljava/util/HashMap; Landroidx/compose/runtime/PersistentCompositionLocalMap; Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; @@ -4884,7 +4884,7 @@ HPLandroidx/compose/runtime/RecomposeScopeImpl;->compose(Landroidx/compose/runti HPLandroidx/compose/runtime/RecomposeScopeImpl;->end(I)Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getAnchor()Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/RecomposeScopeImpl;->getCanRecompose()Z -HPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInScope()Z +HSPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInScope()Z HSPLandroidx/compose/runtime/RecomposeScopeImpl;->getDefaultsInvalid()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getForcedRecompose()Z HPLandroidx/compose/runtime/RecomposeScopeImpl;->getRequiresRecompose()Z @@ -4921,18 +4921,18 @@ Landroidx/compose/runtime/RecomposeScopeOwner; Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/runtime/Recomposer;->()V HPLandroidx/compose/runtime/Recomposer;->(Lkotlin/coroutines/CoroutineContext;)V -HSPLandroidx/compose/runtime/Recomposer;->access$awaitWorkAvailable(Landroidx/compose/runtime/Recomposer;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLandroidx/compose/runtime/Recomposer;->access$awaitWorkAvailable(Landroidx/compose/runtime/Recomposer;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer;->access$deriveStateLocked(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/CancellableContinuation; -PLandroidx/compose/runtime/Recomposer;->access$discardUnusedValues(Landroidx/compose/runtime/Recomposer;)V -HSPLandroidx/compose/runtime/Recomposer;->access$getBroadcastFrameClock$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/BroadcastFrameClock; -HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionInvalidations$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; +HPLandroidx/compose/runtime/Recomposer;->access$discardUnusedValues(Landroidx/compose/runtime/Recomposer;)V +HPLandroidx/compose/runtime/Recomposer;->access$getBroadcastFrameClock$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/BroadcastFrameClock; +HPLandroidx/compose/runtime/Recomposer;->access$getCompositionInvalidations$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getCompositionValuesAwaitingInsert$p(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; -HSPLandroidx/compose/runtime/Recomposer;->access$getHasBroadcastFrameClockAwaiters(Landroidx/compose/runtime/Recomposer;)Z +HPLandroidx/compose/runtime/Recomposer;->access$getHasBroadcastFrameClockAwaiters(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getHasSchedulingWork(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getKnownCompositions(Landroidx/compose/runtime/Recomposer;)Ljava/util/List; HSPLandroidx/compose/runtime/Recomposer;->access$getRecomposerInfo$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/Recomposer$RecomposerInfoImpl; PLandroidx/compose/runtime/Recomposer;->access$getRunnerJob$p(Landroidx/compose/runtime/Recomposer;)Lkotlinx/coroutines/Job; -HSPLandroidx/compose/runtime/Recomposer;->access$getShouldKeepRecomposing(Landroidx/compose/runtime/Recomposer;)Z +HPLandroidx/compose/runtime/Recomposer;->access$getShouldKeepRecomposing(Landroidx/compose/runtime/Recomposer;)Z HSPLandroidx/compose/runtime/Recomposer;->access$getSnapshotInvalidations$p(Landroidx/compose/runtime/Recomposer;)Landroidx/compose/runtime/collection/IdentityArraySet; HPLandroidx/compose/runtime/Recomposer;->access$getStateLock$p(Landroidx/compose/runtime/Recomposer;)Ljava/lang/Object; HSPLandroidx/compose/runtime/Recomposer;->access$get_runningRecomposers$cp()Lkotlinx/coroutines/flow/MutableStateFlow; @@ -4943,13 +4943,13 @@ HPLandroidx/compose/runtime/Recomposer;->access$recordComposerModifications(Land HSPLandroidx/compose/runtime/Recomposer;->access$registerRunnerJob(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setChangeCount$p(Landroidx/compose/runtime/Recomposer;J)V PLandroidx/compose/runtime/Recomposer;->access$setCloseCause$p(Landroidx/compose/runtime/Recomposer;Ljava/lang/Throwable;)V -HSPLandroidx/compose/runtime/Recomposer;->access$setCompositionsRemoved$p(Landroidx/compose/runtime/Recomposer;Ljava/util/Set;)V +HPLandroidx/compose/runtime/Recomposer;->access$setCompositionsRemoved$p(Landroidx/compose/runtime/Recomposer;Ljava/util/Set;)V PLandroidx/compose/runtime/Recomposer;->access$setRunnerJob$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/Job;)V HSPLandroidx/compose/runtime/Recomposer;->access$setWorkContinuation$p(Landroidx/compose/runtime/Recomposer;Lkotlinx/coroutines/CancellableContinuation;)V HPLandroidx/compose/runtime/Recomposer;->addKnownCompositionLocked(Landroidx/compose/runtime/ControlledComposition;)V HPLandroidx/compose/runtime/Recomposer;->applyAndCheck(Landroidx/compose/runtime/snapshots/MutableSnapshot;)V HPLandroidx/compose/runtime/Recomposer;->awaitWorkAvailable(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLandroidx/compose/runtime/Recomposer;->cancel()V +PLandroidx/compose/runtime/Recomposer;->cancel()V PLandroidx/compose/runtime/Recomposer;->clearKnownCompositionsLocked()V HPLandroidx/compose/runtime/Recomposer;->composeInitial$runtime_release(Landroidx/compose/runtime/ControlledComposition;Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/Recomposer;->deriveStateLocked()Lkotlinx/coroutines/CancellableContinuation; @@ -4960,7 +4960,7 @@ HSPLandroidx/compose/runtime/Recomposer;->getCollectingSourceInformation$runtime HSPLandroidx/compose/runtime/Recomposer;->getCompoundHashKey$runtime_release()I HSPLandroidx/compose/runtime/Recomposer;->getCurrentState()Lkotlinx/coroutines/flow/StateFlow; HPLandroidx/compose/runtime/Recomposer;->getEffectCoroutineContext()Lkotlin/coroutines/CoroutineContext; -HSPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaiters()Z +HPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaiters()Z HPLandroidx/compose/runtime/Recomposer;->getHasBroadcastFrameClockAwaitersLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasFrameWorkLocked()Z HPLandroidx/compose/runtime/Recomposer;->getHasSchedulingWork()Z @@ -4998,7 +4998,7 @@ HSPLandroidx/compose/runtime/Recomposer$State;->()V HSPLandroidx/compose/runtime/Recomposer$State;->(Ljava/lang/String;I)V Landroidx/compose/runtime/Recomposer$broadcastFrameClock$1; HSPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->(Landroidx/compose/runtime/Recomposer;)V -HSPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/runtime/Recomposer$broadcastFrameClock$1;->invoke()V Landroidx/compose/runtime/Recomposer$effectJob$1$1; HSPLandroidx/compose/runtime/Recomposer$effectJob$1$1;->(Landroidx/compose/runtime/Recomposer;)V @@ -5045,7 +5045,7 @@ HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSus HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1; HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->(Landroidx/compose/runtime/Recomposer;Landroidx/compose/runtime/collection/IdentityArraySet;Landroidx/compose/runtime/collection/IdentityArraySet;Ljava/util/List;Ljava/util/List;Ljava/util/Set;Ljava/util/List;Ljava/util/Set;)V -HSPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V +HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(J)V HPLandroidx/compose/runtime/Recomposer$runRecomposeAndApplyChanges$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/Recomposer$writeObserverOf$1; HPLandroidx/compose/runtime/Recomposer$writeObserverOf$1;->(Landroidx/compose/runtime/ControlledComposition;Landroidx/compose/runtime/collection/IdentityArraySet;)V @@ -5077,7 +5077,7 @@ Landroidx/compose/runtime/SlotReader; HSPLandroidx/compose/runtime/SlotReader;->()V HPLandroidx/compose/runtime/SlotReader;->(Landroidx/compose/runtime/SlotTable;)V HPLandroidx/compose/runtime/SlotReader;->anchor(I)Landroidx/compose/runtime/Anchor; -HSPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; +HPLandroidx/compose/runtime/SlotReader;->aux([II)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->beginEmpty()V HPLandroidx/compose/runtime/SlotReader;->close()V HSPLandroidx/compose/runtime/SlotReader;->containsMark(I)Z @@ -5106,7 +5106,7 @@ HPLandroidx/compose/runtime/SlotReader;->groupSize(I)I HSPLandroidx/compose/runtime/SlotReader;->hasMark(I)Z HPLandroidx/compose/runtime/SlotReader;->hasObjectKey(I)Z HPLandroidx/compose/runtime/SlotReader;->isGroupEnd()Z -HPLandroidx/compose/runtime/SlotReader;->isNode()Z +HSPLandroidx/compose/runtime/SlotReader;->isNode()Z HPLandroidx/compose/runtime/SlotReader;->isNode(I)Z HPLandroidx/compose/runtime/SlotReader;->next()Ljava/lang/Object; HPLandroidx/compose/runtime/SlotReader;->node(I)Ljava/lang/Object; @@ -5219,13 +5219,13 @@ PLandroidx/compose/runtime/SlotWriter;->access$slotIndex(Landroidx/compose/runti HSPLandroidx/compose/runtime/SlotWriter;->access$sourceInformationOf(Landroidx/compose/runtime/SlotWriter;I)Landroidx/compose/runtime/GroupSourceInformation; HSPLandroidx/compose/runtime/SlotWriter;->access$updateContainsMark(Landroidx/compose/runtime/SlotWriter;I)V HPLandroidx/compose/runtime/SlotWriter;->advanceBy(I)V -HSPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; +HPLandroidx/compose/runtime/SlotWriter;->anchor(I)Landroidx/compose/runtime/Anchor; HPLandroidx/compose/runtime/SlotWriter;->anchorIndex(Landroidx/compose/runtime/Anchor;)I HPLandroidx/compose/runtime/SlotWriter;->auxIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->beginInsert()V HPLandroidx/compose/runtime/SlotWriter;->childContainsAnyMarks(I)Z HPLandroidx/compose/runtime/SlotWriter;->clearSlotGap()V -HSPLandroidx/compose/runtime/SlotWriter;->close()V +HPLandroidx/compose/runtime/SlotWriter;->close()V HSPLandroidx/compose/runtime/SlotWriter;->containsAnyGroupMarks(I)Z HSPLandroidx/compose/runtime/SlotWriter;->containsGroupMark(I)Z HPLandroidx/compose/runtime/SlotWriter;->dataAnchorToDataIndex(III)I @@ -5233,7 +5233,6 @@ HPLandroidx/compose/runtime/SlotWriter;->dataIndex(I)I HPLandroidx/compose/runtime/SlotWriter;->dataIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->dataIndexToDataAddress(I)I HPLandroidx/compose/runtime/SlotWriter;->dataIndexToDataAnchor(IIII)I -HPLandroidx/compose/runtime/SlotWriter;->endGroup()I HPLandroidx/compose/runtime/SlotWriter;->endInsert()V HPLandroidx/compose/runtime/SlotWriter;->ensureStarted(I)V HSPLandroidx/compose/runtime/SlotWriter;->ensureStarted(Landroidx/compose/runtime/Anchor;)V @@ -5244,24 +5243,24 @@ PLandroidx/compose/runtime/SlotWriter;->getCurrentGroupEnd()I HPLandroidx/compose/runtime/SlotWriter;->getParent()I HPLandroidx/compose/runtime/SlotWriter;->getSize$runtime_release()I HPLandroidx/compose/runtime/SlotWriter;->getTable$runtime_release()Landroidx/compose/runtime/SlotTable; -HPLandroidx/compose/runtime/SlotWriter;->groupAux(I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/SlotWriter;->groupAux(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->groupIndexToAddress(I)I HPLandroidx/compose/runtime/SlotWriter;->groupKey(I)I HPLandroidx/compose/runtime/SlotWriter;->groupObjectKey(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->groupSize(I)I HPLandroidx/compose/runtime/SlotWriter;->groupSlots()Ljava/util/Iterator; HSPLandroidx/compose/runtime/SlotWriter;->indexInCurrentGroup(I)Z -HSPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z +HPLandroidx/compose/runtime/SlotWriter;->indexInGroup(II)Z HSPLandroidx/compose/runtime/SlotWriter;->indexInParent(I)Z HPLandroidx/compose/runtime/SlotWriter;->insertGroups(I)V HPLandroidx/compose/runtime/SlotWriter;->insertSlots(II)V -HPLandroidx/compose/runtime/SlotWriter;->isNode()Z +HSPLandroidx/compose/runtime/SlotWriter;->isNode()Z HSPLandroidx/compose/runtime/SlotWriter;->isNode(I)Z HSPLandroidx/compose/runtime/SlotWriter;->markGroup$default(Landroidx/compose/runtime/SlotWriter;IILjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->markGroup(I)V HPLandroidx/compose/runtime/SlotWriter;->moveFrom(Landroidx/compose/runtime/SlotTable;IZ)Ljava/util/List; HPLandroidx/compose/runtime/SlotWriter;->moveGroupGapTo(I)V -HPLandroidx/compose/runtime/SlotWriter;->moveSlotGapTo(II)V +HSPLandroidx/compose/runtime/SlotWriter;->moveSlotGapTo(II)V HPLandroidx/compose/runtime/SlotWriter;->node(I)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->node(Landroidx/compose/runtime/Anchor;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->nodeIndex([II)I @@ -5287,8 +5286,10 @@ HPLandroidx/compose/runtime/SlotWriter;->slotIndex([II)I HPLandroidx/compose/runtime/SlotWriter;->sourceInformationOf(I)Landroidx/compose/runtime/GroupSourceInformation; HPLandroidx/compose/runtime/SlotWriter;->startData(ILjava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startGroup()V -HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V +HPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;)V +HSPLandroidx/compose/runtime/SlotWriter;->startGroup(ILjava/lang/Object;ZLjava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->startNode(ILjava/lang/Object;)V +HPLandroidx/compose/runtime/SlotWriter;->update(Ljava/lang/Object;)Ljava/lang/Object; HPLandroidx/compose/runtime/SlotWriter;->updateAnchors(II)V PLandroidx/compose/runtime/SlotWriter;->updateAux(Ljava/lang/Object;)V HPLandroidx/compose/runtime/SlotWriter;->updateContainsMark(I)V @@ -5328,7 +5329,7 @@ HSPLandroidx/compose/runtime/SnapshotMutableFloatStateImpl$FloatStateStateRecord Landroidx/compose/runtime/SnapshotMutableIntStateImpl; HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->()V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->(I)V -HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; +HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getFirstStateRecord()Landroidx/compose/runtime/snapshots/StateRecord; HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->getIntValue()I HSPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->prependStateRecord(Landroidx/compose/runtime/snapshots/StateRecord;)V HPLandroidx/compose/runtime/SnapshotMutableIntStateImpl;->setIntValue(I)V @@ -5385,7 +5386,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt;->structuralEqualityPolicy()Landroid Landroidx/compose/runtime/SnapshotStateKt__DerivedStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->()V HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->access$getCalculationBlockNestedLevel$p()Landroidx/compose/runtime/SnapshotThreadLocal; -HSPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; +HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateObservers()Landroidx/compose/runtime/collection/MutableVector; PLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Landroidx/compose/runtime/SnapshotMutationPolicy;Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/SnapshotStateKt__DerivedStateKt;->derivedStateOf(Lkotlin/jvm/functions/Function0;)Landroidx/compose/runtime/State; Landroidx/compose/runtime/SnapshotStateKt__ProduceStateKt; @@ -5419,7 +5420,7 @@ HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unreg HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotFlowKt$snapshotFlow$1$unregisterApplyObserver$1;->invoke(Ljava/util/Set;Landroidx/compose/runtime/snapshots/Snapshot;)V Landroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->neverEqualPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; -HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; +HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->referentialEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; HPLandroidx/compose/runtime/SnapshotStateKt__SnapshotMutationPolicyKt;->structuralEqualityPolicy()Landroidx/compose/runtime/SnapshotMutationPolicy; Landroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt; HSPLandroidx/compose/runtime/SnapshotStateKt__SnapshotStateKt;->mutableStateListOf()Landroidx/compose/runtime/snapshots/SnapshotStateList; @@ -5442,6 +5443,7 @@ HPLandroidx/compose/runtime/Stack;->isEmpty()Z HPLandroidx/compose/runtime/Stack;->isNotEmpty()Z HPLandroidx/compose/runtime/Stack;->peek()Ljava/lang/Object; HSPLandroidx/compose/runtime/Stack;->peek(I)Ljava/lang/Object; +HSPLandroidx/compose/runtime/Stack;->pop()Ljava/lang/Object; HPLandroidx/compose/runtime/Stack;->push(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/Stack;->toArray()[Ljava/lang/Object; Landroidx/compose/runtime/State; @@ -5522,7 +5524,7 @@ HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->moveUp()V HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushApplierOperationPreamble()V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushPendingUpsAndDowns()V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotEditingOperationPreamble()V -HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V +HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->pushSlotTableOperationPreamble(Z)V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeNodeMovementOperations()V HPLandroidx/compose/runtime/changelist/ComposerChangeListWriter;->realizeOperationLocation$default(Landroidx/compose/runtime/changelist/ComposerChangeListWriter;ZILjava/lang/Object;)V @@ -5547,11 +5549,11 @@ HSPLandroidx/compose/runtime/changelist/ComposerChangeListWriter$Companion;->()V HPLandroidx/compose/runtime/changelist/FixupList;->()V -HPLandroidx/compose/runtime/changelist/FixupList;->createAndInsertNode(Lkotlin/jvm/functions/Function0;ILandroidx/compose/runtime/Anchor;)V +HSPLandroidx/compose/runtime/changelist/FixupList;->createAndInsertNode(Lkotlin/jvm/functions/Function0;ILandroidx/compose/runtime/Anchor;)V HPLandroidx/compose/runtime/changelist/FixupList;->endNodeInsert()V HPLandroidx/compose/runtime/changelist/FixupList;->executeAndFlushAllPendingFixups(Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V HPLandroidx/compose/runtime/changelist/FixupList;->isEmpty()Z -HPLandroidx/compose/runtime/changelist/FixupList;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/runtime/changelist/FixupList;->updateNode(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V Landroidx/compose/runtime/changelist/Operation; HSPLandroidx/compose/runtime/changelist/Operation;->()V HSPLandroidx/compose/runtime/changelist/Operation;->(II)V @@ -5647,7 +5649,7 @@ PLandroidx/compose/runtime/changelist/Operation$UpdateAuxData;->execute(Landroid Landroidx/compose/runtime/changelist/Operation$UpdateNode; HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->()V -HSPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HPLandroidx/compose/runtime/changelist/Operation$UpdateNode;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V Landroidx/compose/runtime/changelist/Operation$UpdateValue; HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V HSPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->()V @@ -5655,7 +5657,7 @@ HPLandroidx/compose/runtime/changelist/Operation$UpdateValue;->execute(Landroidx Landroidx/compose/runtime/changelist/Operation$Ups; HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V HSPLandroidx/compose/runtime/changelist/Operation$Ups;->()V -HPLandroidx/compose/runtime/changelist/Operation$Ups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V +HSPLandroidx/compose/runtime/changelist/Operation$Ups;->execute(Landroidx/compose/runtime/changelist/OperationArgContainer;Landroidx/compose/runtime/Applier;Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/RememberManager;)V Landroidx/compose/runtime/changelist/OperationArgContainer; Landroidx/compose/runtime/changelist/OperationKt; HSPLandroidx/compose/runtime/changelist/OperationKt;->access$positionToInsert(Landroidx/compose/runtime/SlotWriter;Landroidx/compose/runtime/Anchor;Landroidx/compose/runtime/Applier;)I @@ -5689,9 +5691,9 @@ HPLandroidx/compose/runtime/changelist/Operations;->isNotEmpty()Z HPLandroidx/compose/runtime/changelist/Operations;->peekOperation()Landroidx/compose/runtime/changelist/Operation; HPLandroidx/compose/runtime/changelist/Operations;->popInto(Landroidx/compose/runtime/changelist/Operations;)V HPLandroidx/compose/runtime/changelist/Operations;->push(Landroidx/compose/runtime/changelist/Operation;)V -HPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V +HSPLandroidx/compose/runtime/changelist/Operations;->pushOp(Landroidx/compose/runtime/changelist/Operation;)V HPLandroidx/compose/runtime/changelist/Operations;->topIntIndexOf-w8GmfQM(I)I -HSPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I +HPLandroidx/compose/runtime/changelist/Operations;->topObjectIndexOf-31yXWZQ(I)I Landroidx/compose/runtime/changelist/Operations$Companion; HSPLandroidx/compose/runtime/changelist/Operations$Companion;->()V HSPLandroidx/compose/runtime/changelist/Operations$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -5700,7 +5702,7 @@ HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->(Landroidx/ HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getInt-w8GmfQM(I)I HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getObject-31yXWZQ(I)Ljava/lang/Object; HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->getOperation()Landroidx/compose/runtime/changelist/Operation; -HPLandroidx/compose/runtime/changelist/Operations$OpIterator;->next()Z +HSPLandroidx/compose/runtime/changelist/Operations$OpIterator;->next()Z Landroidx/compose/runtime/changelist/Operations$WriteScope; HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->constructor-impl(Landroidx/compose/runtime/changelist/Operations;)Landroidx/compose/runtime/changelist/Operations; HPLandroidx/compose/runtime/changelist/Operations$WriteScope;->setInt-A6tL2VI(Landroidx/compose/runtime/changelist/Operations;II)V @@ -5739,7 +5741,7 @@ Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/runtime/collection/MutableVector;->()V HPLandroidx/compose/runtime/collection/MutableVector;->([Ljava/lang/Object;I)V HPLandroidx/compose/runtime/collection/MutableVector;->add(ILjava/lang/Object;)V -HPLandroidx/compose/runtime/collection/MutableVector;->add(Ljava/lang/Object;)Z +HSPLandroidx/compose/runtime/collection/MutableVector;->add(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/MutableVector;->addAll(ILandroidx/compose/runtime/collection/MutableVector;)Z HPLandroidx/compose/runtime/collection/MutableVector;->asMutableList()Ljava/util/List; HPLandroidx/compose/runtime/collection/MutableVector;->clear()V @@ -5747,7 +5749,7 @@ HSPLandroidx/compose/runtime/collection/MutableVector;->contains(Ljava/lang/Obje HPLandroidx/compose/runtime/collection/MutableVector;->ensureCapacity(I)V HPLandroidx/compose/runtime/collection/MutableVector;->getContent()[Ljava/lang/Object; HPLandroidx/compose/runtime/collection/MutableVector;->getSize()I -HPLandroidx/compose/runtime/collection/MutableVector;->indexOf(Ljava/lang/Object;)I +HSPLandroidx/compose/runtime/collection/MutableVector;->indexOf(Ljava/lang/Object;)I HPLandroidx/compose/runtime/collection/MutableVector;->isEmpty()Z HPLandroidx/compose/runtime/collection/MutableVector;->isNotEmpty()Z HPLandroidx/compose/runtime/collection/MutableVector;->remove(Ljava/lang/Object;)Z @@ -5769,7 +5771,7 @@ HPLandroidx/compose/runtime/collection/MutableVectorKt;->checkIndex(Ljava/util/L Landroidx/compose/runtime/collection/ScopeMap; HSPLandroidx/compose/runtime/collection/ScopeMap;->()V HPLandroidx/compose/runtime/collection/ScopeMap;->()V -HSPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V +HPLandroidx/compose/runtime/collection/ScopeMap;->add(Ljava/lang/Object;Ljava/lang/Object;)V HPLandroidx/compose/runtime/collection/ScopeMap;->contains(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/collection/ScopeMap;->getMap()Landroidx/collection/MutableScatterMap; HPLandroidx/compose/runtime/collection/ScopeMap;->remove(Ljava/lang/Object;Ljava/lang/Object;)Z @@ -5806,7 +5808,7 @@ PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementation PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/BufferIterator;->next()Ljava/lang/Object; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->()V -HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->access$getEMPTY$cp()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->add(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->add(Ljava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; @@ -5815,7 +5817,7 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->getSize()I HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->indexOf(Ljava/lang/Object;)I PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->listIterator(I)Ljava/util/ListIterator; -PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->removeAt(I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->removeAt(I)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; PLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->set(ILjava/lang/Object;)Landroidx/compose/runtime/external/kotlinx/collections/immutable/PersistentList; Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector$Companion;->()V @@ -5836,7 +5838,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->builder()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMapBuilder; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->containsKey(Ljava/lang/Object;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->createEntries()Landroidx/compose/runtime/external/kotlinx/collections/immutable/ImmutableSet; -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getEntries()Ljava/util/Set; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getNode$runtime_release()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/PersistentHashMap;->getSize()I @@ -5890,6 +5892,7 @@ HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementatio HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->elementsIdentityEquals(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)Z HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryCount$runtime_release()I HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$runtime_release(I)I +HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->getBuffer$runtime_release()[Ljava/lang/Object; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$runtime_release(I)Z HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasNodeAt(I)Z @@ -5921,7 +5924,7 @@ HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementati HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;I)V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getNode()Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode; HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->getSizeDelta()I -HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V +HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode$ModificationResult;->setNode(Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNode;)V Landroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator; HSPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V HPLandroidx/compose/runtime/external/kotlinx/collections/immutable/implementations/immutableMap/TrieNodeBaseIterator;->()V @@ -6025,7 +6028,7 @@ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->access$ HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/PersistentCompositionLocalMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->builder()Landroidx/compose/runtime/internal/PersistentCompositionLocalHashMap$Builder; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Landroidx/compose/runtime/CompositionLocal;)Z -HSPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z +HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->containsKey(Ljava/lang/Object;)Z HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Landroidx/compose/runtime/State; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Landroidx/compose/runtime/CompositionLocal;)Ljava/lang/Object; HPLandroidx/compose/runtime/internal/PersistentCompositionLocalHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; @@ -6057,7 +6060,7 @@ Landroidx/compose/runtime/saveable/MapSaverKt; HSPLandroidx/compose/runtime/saveable/MapSaverKt;->mapSaver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1; HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->(Lkotlin/jvm/functions/Function2;)V -HPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/util/List; +HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Landroidx/compose/runtime/saveable/SaverScope;Ljava/lang/Object;)Ljava/util/List; HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2; HSPLandroidx/compose/runtime/saveable/MapSaverKt$mapSaver$2;->(Lkotlin/jvm/functions/Function1;)V @@ -6133,7 +6136,7 @@ PLandroidx/compose/runtime/saveable/SaveableStateRegistryImpl$registerProvider$3 Landroidx/compose/runtime/saveable/SaveableStateRegistryKt; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->()V HPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->SaveableStateRegistry(Ljava/util/Map;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/SaveableStateRegistry; -HPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->getLocalSaveableStateRegistry()Landroidx/compose/runtime/ProvidableCompositionLocal; +HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt;->getLocalSaveableStateRegistry()Landroidx/compose/runtime/ProvidableCompositionLocal; Landroidx/compose/runtime/saveable/SaveableStateRegistryKt$LocalSaveableStateRegistry$1; HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt$LocalSaveableStateRegistry$1;->()V HSPLandroidx/compose/runtime/saveable/SaveableStateRegistryKt$LocalSaveableStateRegistry$1;->()V @@ -6141,7 +6144,7 @@ Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/SaverKt; HSPLandroidx/compose/runtime/saveable/SaverKt;->()V HSPLandroidx/compose/runtime/saveable/SaverKt;->Saver(Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/saveable/Saver; -HSPLandroidx/compose/runtime/saveable/SaverKt;->autoSaver()Landroidx/compose/runtime/saveable/Saver; +HPLandroidx/compose/runtime/saveable/SaverKt;->autoSaver()Landroidx/compose/runtime/saveable/Saver; Landroidx/compose/runtime/saveable/SaverKt$AutoSaver$1; HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$1;->()V HSPLandroidx/compose/runtime/saveable/SaverKt$AutoSaver$1;->()V @@ -6186,7 +6189,7 @@ HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getApplied$runtime_rele HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getModified$runtime_release()Landroidx/compose/runtime/collection/IdentityArraySet; HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getPreviousIds$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadObserver$runtime_release()Lkotlin/jvm/functions/Function1; -HSPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadOnly()Z +HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->getWriteObserver$runtime_release()Lkotlin/jvm/functions/Function1; HPLandroidx/compose/runtime/snapshots/MutableSnapshot;->innerApplyLocked$runtime_release(ILjava/util/Map;Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotApplyResult; @@ -6231,6 +6234,7 @@ HPLandroidx/compose/runtime/snapshots/Snapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/Snapshot;->getDisposed$runtime_release()Z HPLandroidx/compose/runtime/snapshots/Snapshot;->getId()I HPLandroidx/compose/runtime/snapshots/Snapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HPLandroidx/compose/runtime/snapshots/Snapshot;->makeCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->releasePinnedSnapshotsForCloseLocked$runtime_release()V HPLandroidx/compose/runtime/snapshots/Snapshot;->restoreCurrent(Landroidx/compose/runtime/snapshots/Snapshot;)V @@ -6239,12 +6243,13 @@ HSPLandroidx/compose/runtime/snapshots/Snapshot;->setId$runtime_release(I)V HSPLandroidx/compose/runtime/snapshots/Snapshot;->setInvalid$runtime_release(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)V PLandroidx/compose/runtime/snapshots/Snapshot;->validateNotDisposed$runtime_release()V Landroidx/compose/runtime/snapshots/Snapshot$Companion; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->$r8$lambda$jS7BU8l_ZXLY3K3v0EKVcok6S0g(Lkotlin/jvm/functions/Function2;)V +HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->$r8$lambda$GEUC571cySCO9vsVP4XWU3olfh0(Lkotlin/jvm/functions/Function2;)V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->()V HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->createNonObservableSnapshot()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->getCurrent()Landroidx/compose/runtime/snapshots/Snapshot; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->notifyObjectsInitialized()V +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->observe(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver$lambda$6(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerApplyObserver(Lkotlin/jvm/functions/Function2;)Landroidx/compose/runtime/snapshots/ObserverHandle; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->registerGlobalWriteObserver(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/ObserverHandle; @@ -6252,7 +6257,7 @@ HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->sendApplyNotification HPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeMutableSnapshot(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/MutableSnapshot; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion;->takeSnapshot(Lkotlin/jvm/functions/Function1;)Landroidx/compose/runtime/snapshots/Snapshot; Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0; -HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->(Lkotlin/jvm/functions/Function2;)V +HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->(Lkotlin/jvm/functions/Function2;)V HPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda0;->dispose()V Landroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1; HSPLandroidx/compose/runtime/snapshots/Snapshot$Companion$$ExternalSyntheticLambda1;->(Lkotlin/jvm/functions/Function1;)V @@ -6282,7 +6287,7 @@ HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->(JJI[I)V PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getBelowBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)[I HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getEMPTY$cp()Landroidx/compose/runtime/snapshots/SnapshotIdSet; PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerBound$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)I -PLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J +HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getLowerSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->access$getUpperSet$p(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)J HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->andNot(Landroidx/compose/runtime/snapshots/SnapshotIdSet;)Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet;->clear(I)Landroidx/compose/runtime/snapshots/SnapshotIdSet; @@ -6295,7 +6300,7 @@ Landroidx/compose/runtime/snapshots/SnapshotIdSet$Companion; HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->()V HSPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$Companion;->getEMPTY()Landroidx/compose/runtime/snapshots/SnapshotIdSet; -HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V +PLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->(Landroidx/compose/runtime/snapshots/SnapshotIdSet;Lkotlin/coroutines/Continuation;)V HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLandroidx/compose/runtime/snapshots/SnapshotIdSet$iterator$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/runtime/snapshots/SnapshotIdSetKt; @@ -6424,7 +6429,7 @@ Landroidx/compose/runtime/snapshots/SnapshotStateList$addAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateList$retainAll$1; Landroidx/compose/runtime/snapshots/SnapshotStateListKt; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->()V -HPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; +HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$getSync$p()Ljava/lang/Object; HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->access$validateRange(II)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateListKt;->validateRange(II)V Landroidx/compose/runtime/snapshots/SnapshotStateMap; @@ -6450,10 +6455,10 @@ HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$addChanges( HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$drainChanges(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getCurrentMap$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Landroidx/compose/runtime/snapshots/SnapshotStateObserver$ObservedScopeMap; HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getObservedScopeMaps$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Landroidx/compose/runtime/collection/MutableVector; -HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$getSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$isPaused$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)Z -HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$sendNotifications(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)V -HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$setSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;Z)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$sendNotifications(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;)V +HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->access$setSendingNotifications$p(Landroidx/compose/runtime/snapshots/SnapshotStateObserver;Z)V HPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->addChanges(Ljava/util/Set;)V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear()V HSPLandroidx/compose/runtime/snapshots/SnapshotStateObserver;->clear(Ljava/lang/Object;)V @@ -6526,7 +6531,7 @@ HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->apply HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->dispose()V HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getCurrentSnapshot()Landroidx/compose/runtime/snapshots/MutableSnapshot; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getId()I -HSPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; +HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getInvalid$runtime_release()Landroidx/compose/runtime/snapshots/SnapshotIdSet; HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getReadOnly()Z HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->getWriteCount$runtime_release()I HPLandroidx/compose/runtime/snapshots/TransparentObserverMutableSnapshot;->notifyObjectsInitialized$runtime_release()V @@ -6560,7 +6565,7 @@ HSPLandroidx/compose/ui/Alignment$Companion;->()V HSPLandroidx/compose/ui/Alignment$Companion;->getCenter()Landroidx/compose/ui/Alignment; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterHorizontally()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getCenterVertically()Landroidx/compose/ui/Alignment$Vertical; -HSPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; +HPLandroidx/compose/ui/Alignment$Companion;->getStart()Landroidx/compose/ui/Alignment$Horizontal; HSPLandroidx/compose/ui/Alignment$Companion;->getTop()Landroidx/compose/ui/Alignment$Vertical; PLandroidx/compose/ui/Alignment$Companion;->getTopCenter()Landroidx/compose/ui/Alignment; HPLandroidx/compose/ui/Alignment$Companion;->getTopStart()Landroidx/compose/ui/Alignment; @@ -6584,7 +6589,7 @@ HSPLandroidx/compose/ui/BiasAlignment$Vertical;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/CombinedModifier; HSPLandroidx/compose/ui/CombinedModifier;->()V HPLandroidx/compose/ui/CombinedModifier;->(Landroidx/compose/ui/Modifier;Landroidx/compose/ui/Modifier;)V -HPLandroidx/compose/ui/CombinedModifier;->all(Lkotlin/jvm/functions/Function1;)Z +HSPLandroidx/compose/ui/CombinedModifier;->all(Lkotlin/jvm/functions/Function1;)Z HPLandroidx/compose/ui/CombinedModifier;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/CombinedModifier;->foldIn(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLandroidx/compose/ui/CombinedModifier;->getInner$ui_release()Landroidx/compose/ui/Modifier; @@ -6639,7 +6644,7 @@ PLandroidx/compose/ui/Modifier$Node;->reset$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runAttachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/Modifier$Node;->setAggregateChildKindSet$ui_release(I)V -HSPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V +HPLandroidx/compose/ui/Modifier$Node;->setAsDelegateTo$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setChild$ui_release(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/Modifier$Node;->setInsertedNodeAwaitingAttachForInvalidation$ui_release(Z)V HPLandroidx/compose/ui/Modifier$Node;->setKindSet$ui_release(I)V @@ -6696,7 +6701,7 @@ HSPLandroidx/compose/ui/draw/ClipKt;->clipToBounds(Landroidx/compose/ui/Modifier Landroidx/compose/ui/draw/DrawBackgroundModifier; HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->()V HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->(Lkotlin/jvm/functions/Function1;)V -HSPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLandroidx/compose/ui/draw/DrawBackgroundModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V Landroidx/compose/ui/draw/DrawBehindElement; HSPLandroidx/compose/ui/draw/DrawBehindElement;->(Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/draw/DrawBehindElement;->create()Landroidx/compose/ui/Modifier$Node; @@ -6750,13 +6755,13 @@ HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->(Lkotlin/jvm/func HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusEventNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusPropertiesNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; HPLandroidx/compose/ui/focus/FocusInvalidationManager;->access$getFocusTargetNodes$p(Landroidx/compose/ui/focus/FocusInvalidationManager;)Ljava/util/Set; -HSPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HPLandroidx/compose/ui/focus/FocusInvalidationManager;->scheduleInvalidation(Ljava/util/Set;Ljava/lang/Object;)V Landroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1; HSPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->(Landroidx/compose/ui/focus/FocusInvalidationManager;)V -HSPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->invoke()Ljava/lang/Object; +HPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->invoke()Ljava/lang/Object; HPLandroidx/compose/ui/focus/FocusInvalidationManager$invalidateNodes$1;->invoke()V Landroidx/compose/ui/focus/FocusManager; Landroidx/compose/ui/focus/FocusModifierKt; @@ -6769,7 +6774,7 @@ HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->(Lkotlin/jvm/functions/Func HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getFocusTransactionManager()Landroidx/compose/ui/focus/FocusTransactionManager; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getModifier()Landroidx/compose/ui/Modifier; HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->getRootFocusNode$ui_release()Landroidx/compose/ui/focus/FocusTargetNode; -HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V +HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusEventModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)V HPLandroidx/compose/ui/focus/FocusOwnerImpl;->scheduleInvalidation(Landroidx/compose/ui/focus/FocusTargetNode;)V HSPLandroidx/compose/ui/focus/FocusOwnerImpl;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -6788,7 +6793,7 @@ Landroidx/compose/ui/focus/FocusStateImpl; HSPLandroidx/compose/ui/focus/FocusStateImpl;->$values()[Landroidx/compose/ui/focus/FocusStateImpl; HSPLandroidx/compose/ui/focus/FocusStateImpl;->()V HSPLandroidx/compose/ui/focus/FocusStateImpl;->(Ljava/lang/String;I)V -HSPLandroidx/compose/ui/focus/FocusStateImpl;->isFocused()Z +HPLandroidx/compose/ui/focus/FocusStateImpl;->isFocused()Z HSPLandroidx/compose/ui/focus/FocusStateImpl;->values()[Landroidx/compose/ui/focus/FocusStateImpl; Landroidx/compose/ui/focus/FocusStateImpl$WhenMappings; HSPLandroidx/compose/ui/focus/FocusStateImpl$WhenMappings;->()V @@ -6870,7 +6875,7 @@ HPLandroidx/compose/ui/geometry/RectKt;->Rect-tz77jQw(JJ)Landroidx/compose/ui/ge Landroidx/compose/ui/geometry/RoundRect; HSPLandroidx/compose/ui/geometry/RoundRect;->()V HPLandroidx/compose/ui/geometry/RoundRect;->(FFFFJJJJ)V -HSPLandroidx/compose/ui/geometry/RoundRect;->(FFFFJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/geometry/RoundRect;->(FFFFJJJJLkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/geometry/RoundRect;->getBottom()F HPLandroidx/compose/ui/geometry/RoundRect;->getBottomLeftCornerRadius-kKHJgLs()J HPLandroidx/compose/ui/geometry/RoundRect;->getBottomRightCornerRadius-kKHJgLs()J @@ -6961,17 +6966,17 @@ Landroidx/compose/ui/graphics/AndroidPaint; HSPLandroidx/compose/ui/graphics/AndroidPaint;->()V HPLandroidx/compose/ui/graphics/AndroidPaint;->(Landroid/graphics/Paint;)V HPLandroidx/compose/ui/graphics/AndroidPaint;->asFrameworkPaint()Landroid/graphics/Paint; -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->getAlpha()F HPLandroidx/compose/ui/graphics/AndroidPaint;->getBlendMode-0nO6VwU()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getColor-0d7_KjU()J HPLandroidx/compose/ui/graphics/AndroidPaint;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; HPLandroidx/compose/ui/graphics/AndroidPaint;->getFilterQuality-f-v9h1I()I -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; +HPLandroidx/compose/ui/graphics/AndroidPaint;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; HPLandroidx/compose/ui/graphics/AndroidPaint;->getShader()Landroid/graphics/Shader; -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeCap-KaPHkGw()I HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeJoin-LxFBmk8()I -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F -HSPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeMiterLimit()F +HPLandroidx/compose/ui/graphics/AndroidPaint;->getStrokeWidth()F HSPLandroidx/compose/ui/graphics/AndroidPaint;->setAlpha(F)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setBlendMode-s9anfk8(I)V HPLandroidx/compose/ui/graphics/AndroidPaint;->setColor-8_81llA(J)V @@ -6988,10 +6993,10 @@ HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeColor(Landroid HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeFilterQuality(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeCap(Landroid/graphics/Paint;)I HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeJoin(Landroid/graphics/Paint;)I -HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F -HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F +HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeMiterLimit(Landroid/graphics/Paint;)F +HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->getNativeStrokeWidth(Landroid/graphics/Paint;)F HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->makeNativePaint()Landroid/graphics/Paint; -HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V +HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeAlpha(Landroid/graphics/Paint;F)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeBlendMode-GB0RdKg(Landroid/graphics/Paint;I)V HPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColor-4WTKRHQ(Landroid/graphics/Paint;J)V HSPLandroidx/compose/ui/graphics/AndroidPaint_androidKt;->setNativeColorFilter(Landroid/graphics/Paint;Landroidx/compose/ui/graphics/ColorFilter;)V @@ -7234,7 +7239,7 @@ HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->(Landroidx/compose/ui HSPLandroidx/compose/ui/graphics/Outline$Rectangle;->getRect()Landroidx/compose/ui/geometry/Rect; Landroidx/compose/ui/graphics/Outline$Rounded; HPLandroidx/compose/ui/graphics/Outline$Rounded;->(Landroidx/compose/ui/geometry/RoundRect;)V -HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; +HPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRect()Landroidx/compose/ui/geometry/RoundRect; HSPLandroidx/compose/ui/graphics/Outline$Rounded;->getRoundRectPath$ui_graphics_release()Landroidx/compose/ui/graphics/Path; Landroidx/compose/ui/graphics/OutlineKt; HPLandroidx/compose/ui/graphics/OutlineKt;->access$hasSameCornerRadius(Landroidx/compose/ui/geometry/RoundRect;)Z @@ -7355,6 +7360,7 @@ HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->getTranslationY()F HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->(Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V +HSPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$layerBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1; HPLandroidx/compose/ui/graphics/SimpleGraphicsLayerModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;Landroidx/compose/ui/graphics/SimpleGraphicsLayerModifier;)V @@ -7367,26 +7373,26 @@ HSPLandroidx/compose/ui/graphics/SolidColor;->applyTo-Pq9zytI(JLandroidx/compose HSPLandroidx/compose/ui/graphics/SolidColor;->getValue-0d7_KjU()J Landroidx/compose/ui/graphics/StrokeCap; HSPLandroidx/compose/ui/graphics/StrokeCap;->()V -HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getButt$cp()I -HSPLandroidx/compose/ui/graphics/StrokeCap;->access$getSquare$cp()I +HPLandroidx/compose/ui/graphics/StrokeCap;->access$getButt$cp()I +HPLandroidx/compose/ui/graphics/StrokeCap;->access$getSquare$cp()I HSPLandroidx/compose/ui/graphics/StrokeCap;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeCap;->equals-impl0(II)Z Landroidx/compose/ui/graphics/StrokeCap$Companion; HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getButt-KaPHkGw()I -HSPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getSquare-KaPHkGw()I +HPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getButt-KaPHkGw()I +HPLandroidx/compose/ui/graphics/StrokeCap$Companion;->getSquare-KaPHkGw()I Landroidx/compose/ui/graphics/StrokeJoin; HSPLandroidx/compose/ui/graphics/StrokeJoin;->()V HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getBevel$cp()I -HSPLandroidx/compose/ui/graphics/StrokeJoin;->access$getMiter$cp()I +HPLandroidx/compose/ui/graphics/StrokeJoin;->access$getMiter$cp()I HSPLandroidx/compose/ui/graphics/StrokeJoin;->constructor-impl(I)I HSPLandroidx/compose/ui/graphics/StrokeJoin;->equals-impl0(II)Z Landroidx/compose/ui/graphics/StrokeJoin$Companion; HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->()V HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->getBevel-LxFBmk8()I -HSPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->getMiter-LxFBmk8()I +HPLandroidx/compose/ui/graphics/StrokeJoin$Companion;->getMiter-LxFBmk8()I Landroidx/compose/ui/graphics/TransformOrigin; HSPLandroidx/compose/ui/graphics/TransformOrigin;->()V HPLandroidx/compose/ui/graphics/TransformOrigin;->access$getCenter$cp()J @@ -7535,11 +7541,11 @@ HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getAbsolute HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getPerceptual-uksYyKA()I HSPLandroidx/compose/ui/graphics/colorspace/RenderIntent$Companion;->getRelative-uksYyKA()I Landroidx/compose/ui/graphics/colorspace/Rgb; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$FANKyyW7TMwi4gnihl1LqxbkU6k(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$G8Pyx7Z9bMrnDjgEiQ7pXGTZEzg(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$OfmTeMXzL_nayJmS5mO6N4G4DlI(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$ahWovdYS5NpJ-IThda37cTda4qg(D)D -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$q_AtDSzDu9yw5JwgrVWJo3kmlB0(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D +HPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$-dnaBie4LWY14HMiVYPEW1zVyJ0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$0VnaReYaJMb11m2G7-Mh0wuBaWA(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$IntSl_jJJrniYA6DFCtcEZiKFa4(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$NBAtvciw6pO7qi1pZQhckAj5hfk(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->$r8$lambda$Re7xw3aJmdVA8XGvDpOzDTnMqwA(Landroidx/compose/ui/graphics/colorspace/TransferParameters;D)D HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->()V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Landroidx/compose/ui/graphics/colorspace/Rgb;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;)V HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->(Ljava/lang/String;[FLandroidx/compose/ui/graphics/colorspace/WhitePoint;DFFI)V @@ -7557,29 +7563,29 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getOetfOrig$ui_graphics_releas HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getTransform$ui_graphics_release()[F HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->getWhitePoint()Landroidx/compose/ui/graphics/colorspace/WhitePoint; HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->isSrgb()Z -HSPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D +HPLandroidx/compose/ui/graphics/colorspace/Rgb;->oetfFunc$lambda$0(Landroidx/compose/ui/graphics/colorspace/Rgb;D)D HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toXy$ui_graphics_release(FFF)J HPLandroidx/compose/ui/graphics/colorspace/Rgb;->toZ$ui_graphics_release(FFF)F HPLandroidx/compose/ui/graphics/colorspace/Rgb;->xyzaToColor-JlNiLsg$ui_graphics_release(FFFFLandroidx/compose/ui/graphics/colorspace/ColorSpace;)J -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda1; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda1;->()V -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda1;->invoke(D)D -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda11; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda11;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V -HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda11;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda0; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda0;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda0;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda12; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda12;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda12;->invoke(D)D Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2;->(D)V -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda3; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda3;->(D)V -Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda7; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda7;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda7;->invoke(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V +HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda2;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda4; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda4;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V +HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda4;->invoke(D)D +Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda5; +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda5;->()V +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda5;->invoke(D)D Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8;->(Landroidx/compose/ui/graphics/colorspace/Rgb;)V -HPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8;->invoke(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda8;->(D)V Landroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9; -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9;->(Landroidx/compose/ui/graphics/colorspace/TransferParameters;)V -HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9;->invoke(D)D +HSPLandroidx/compose/ui/graphics/colorspace/Rgb$$ExternalSyntheticLambda9;->(D)V Landroidx/compose/ui/graphics/colorspace/Rgb$Companion; HSPLandroidx/compose/ui/graphics/colorspace/Rgb$Companion;->()V HSPLandroidx/compose/ui/graphics/colorspace/Rgb$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -7602,13 +7608,13 @@ HSPLandroidx/compose/ui/graphics/colorspace/Rgb$oetf$1;->(Landroidx/compos Landroidx/compose/ui/graphics/colorspace/TransferParameters; HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDD)V HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->(DDDDDDDILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D +HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getA()D HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getB()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getC()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getD()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getE()D HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getF()D -HPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getGamma()D +HSPLandroidx/compose/ui/graphics/colorspace/TransferParameters;->getGamma()D Landroidx/compose/ui/graphics/colorspace/WhitePoint; HSPLandroidx/compose/ui/graphics/colorspace/WhitePoint;->(FF)V HSPLandroidx/compose/ui/graphics/colorspace/WhitePoint;->getX()F @@ -7634,7 +7640,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->getDrawParams()Landr HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->modulate-5vOe2sY(JF)J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainFillPaint()Landroidx/compose/ui/graphics/Paint; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainStrokePaint()Landroidx/compose/ui/graphics/Paint; +HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->obtainStrokePaint()Landroidx/compose/ui/graphics/Paint; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope;->selectPaint(Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/graphics/Paint; Landroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams; HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->(Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/unit/LayoutDirection;Landroidx/compose/ui/graphics/Canvas;J)V @@ -7645,7 +7651,7 @@ HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component3()Landroidx/compose/ui/graphics/Canvas; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->component4-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getCanvas()Landroidx/compose/ui/graphics/Canvas; -HSPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; +HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getDensity()Landroidx/compose/ui/unit/Density; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getLayoutDirection()Landroidx/compose/ui/unit/LayoutDirection; HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->getSize-NH-jbRc()J HPLandroidx/compose/ui/graphics/drawscope/CanvasDrawScope$DrawParams;->setCanvas(Landroidx/compose/ui/graphics/Canvas;)V @@ -7704,12 +7710,12 @@ HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->()V HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->(FFIILandroidx/compose/ui/graphics/PathEffect;)V HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->(FFIILandroidx/compose/ui/graphics/PathEffect;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->(FFIILandroidx/compose/ui/graphics/PathEffect;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getCap-KaPHkGw()I -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getJoin-LxFBmk8()I -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getMiter()F -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; -HSPLandroidx/compose/ui/graphics/drawscope/Stroke;->getWidth()F +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getCap-KaPHkGw()I +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getJoin-LxFBmk8()I +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getMiter()F +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getPathEffect()Landroidx/compose/ui/graphics/PathEffect; +HPLandroidx/compose/ui/graphics/drawscope/Stroke;->getWidth()F Landroidx/compose/ui/graphics/drawscope/Stroke$Companion; HSPLandroidx/compose/ui/graphics/drawscope/Stroke$Companion;->()V HSPLandroidx/compose/ui/graphics/drawscope/Stroke$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -7724,9 +7730,9 @@ HPLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY$ PLandroidx/compose/ui/graphics/painter/BitmapPainterKt;->BitmapPainter-QZhYCtY(Landroidx/compose/ui/graphics/ImageBitmap;JJI)Landroidx/compose/ui/graphics/painter/BitmapPainter; Landroidx/compose/ui/graphics/painter/Painter; HPLandroidx/compose/ui/graphics/painter/Painter;->()V -HSPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V +HPLandroidx/compose/ui/graphics/painter/Painter;->configureAlpha(F)V HPLandroidx/compose/ui/graphics/painter/Painter;->configureColorFilter(Landroidx/compose/ui/graphics/ColorFilter;)V -HPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V +HSPLandroidx/compose/ui/graphics/painter/Painter;->configureLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V HPLandroidx/compose/ui/graphics/painter/Painter;->draw-x_KDEd0(Landroidx/compose/ui/graphics/drawscope/DrawScope;JFLandroidx/compose/ui/graphics/ColorFilter;)V Landroidx/compose/ui/graphics/painter/Painter$drawLambda$1; HPLandroidx/compose/ui/graphics/painter/Painter$drawLambda$1;->(Landroidx/compose/ui/graphics/painter/Painter;)V @@ -8163,7 +8169,7 @@ HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->()V HSPLandroidx/compose/ui/layout/AlignmentLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/layout/AlignmentLineKt; HSPLandroidx/compose/ui/layout/AlignmentLineKt;->()V -HSPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; +HPLandroidx/compose/ui/layout/AlignmentLineKt;->getFirstBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; HPLandroidx/compose/ui/layout/AlignmentLineKt;->getLastBaseline()Landroidx/compose/ui/layout/HorizontalAlignmentLine; Landroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1; HSPLandroidx/compose/ui/layout/AlignmentLineKt$FirstBaseline$1;->()V @@ -8206,7 +8212,7 @@ HSPLandroidx/compose/ui/layout/ContentScale$Companion$Fit$1;->computeScaleFactor Landroidx/compose/ui/layout/ContentScale$Companion$Inside$1; HSPLandroidx/compose/ui/layout/ContentScale$Companion$Inside$1;->()V Landroidx/compose/ui/layout/ContentScaleKt; -PLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F +HPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMaxDimension-iLBOSCw(JJ)F HSPLandroidx/compose/ui/layout/ContentScaleKt;->access$computeFillMinDimension-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillHeight-iLBOSCw(JJ)F HPLandroidx/compose/ui/layout/ContentScaleKt;->computeFillMaxDimension-iLBOSCw(JJ)F @@ -8420,7 +8426,7 @@ HSPLandroidx/compose/ui/layout/ScaleFactor$Companion;->(Lkotlin/jvm/intern Landroidx/compose/ui/layout/ScaleFactorKt; HPLandroidx/compose/ui/layout/ScaleFactorKt;->ScaleFactor(FF)J HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-UQTWf7w(JJ)J -PLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J +HPLandroidx/compose/ui/layout/ScaleFactorKt;->times-m-w2e94(JJ)J Landroidx/compose/ui/layout/SubcomposeLayoutKt; HSPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->()V HPLandroidx/compose/ui/layout/SubcomposeLayoutKt;->SubcomposeLayout(Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;II)V @@ -8519,7 +8525,7 @@ HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/Al HPLandroidx/compose/ui/node/AlignmentLines;->(Landroidx/compose/ui/node/AlignmentLinesOwner;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/node/AlignmentLines;->access$addAlignmentLine(Landroidx/compose/ui/node/AlignmentLines;Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/AlignmentLines;->access$getAlignmentLineMap$p(Landroidx/compose/ui/node/AlignmentLines;)Ljava/util/Map; -HSPLandroidx/compose/ui/node/AlignmentLines;->addAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V +HPLandroidx/compose/ui/node/AlignmentLines;->addAlignmentLine(Landroidx/compose/ui/layout/AlignmentLine;ILandroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/AlignmentLines;->getAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/AlignmentLines;->getDirty$ui_release()Z HSPLandroidx/compose/ui/node/AlignmentLines;->getLastCalculation()Ljava/util/Map; @@ -8641,7 +8647,7 @@ HPLandroidx/compose/ui/node/DelegatableNodeKt;->access$pop(Landroidx/compose/run PLandroidx/compose/ui/node/DelegatableNodeKt;->addLayoutNodeChildren(Landroidx/compose/runtime/collection/MutableVector;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/DelegatableNodeKt;->asLayoutModifierNode(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/node/LayoutModifierNode; HPLandroidx/compose/ui/node/DelegatableNodeKt;->has-64DMado(Landroidx/compose/ui/node/DelegatableNode;I)Z -HPLandroidx/compose/ui/node/DelegatableNodeKt;->isDelegationRoot(Landroidx/compose/ui/node/DelegatableNode;)Z +HSPLandroidx/compose/ui/node/DelegatableNodeKt;->isDelegationRoot(Landroidx/compose/ui/node/DelegatableNode;)Z HPLandroidx/compose/ui/node/DelegatableNodeKt;->pop(Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/DelegatableNodeKt;->requireCoordinator-64DMado(Landroidx/compose/ui/node/DelegatableNode;I)Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/DelegatableNodeKt;->requireLayoutNode(Landroidx/compose/ui/node/DelegatableNode;)Landroidx/compose/ui/node/LayoutNode; @@ -8656,7 +8662,7 @@ HPLandroidx/compose/ui/node/DelegatingNode;->markAsAttached$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->markAsDetached$ui_release()V PLandroidx/compose/ui/node/DelegatingNode;->reset$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->runAttachLifecycle$ui_release()V -PLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V +HPLandroidx/compose/ui/node/DelegatingNode;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/DelegatingNode;->updateCoordinator$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/DelegatingNode;->updateNodeKindSet(IZ)V HPLandroidx/compose/ui/node/DelegatingNode;->validateDelegateKindSet(ILandroidx/compose/ui/Modifier$Node;)V @@ -8719,7 +8725,7 @@ HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->()V HSPLandroidx/compose/ui/node/IntrinsicsPolicy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/node/LayerPositionalProperties; HPLandroidx/compose/ui/node/LayerPositionalProperties;->()V -HSPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V +HPLandroidx/compose/ui/node/LayerPositionalProperties;->copyFrom(Landroidx/compose/ui/graphics/GraphicsLayerScope;)V Landroidx/compose/ui/node/LayoutAwareModifierNode; HSPLandroidx/compose/ui/node/LayoutAwareModifierNode;->onRemeasured-ozmzZPI(J)V Landroidx/compose/ui/node/LayoutModifierNode; @@ -8744,14 +8750,14 @@ Landroidx/compose/ui/node/LayoutModifierNodeKt; HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateLayer(Landroidx/compose/ui/node/LayoutModifierNode;)V HPLandroidx/compose/ui/node/LayoutModifierNodeKt;->invalidateMeasurement(Landroidx/compose/ui/node/LayoutModifierNode;)V Landroidx/compose/ui/node/LayoutNode; -HPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$7po1rmUuVs6tXeBa5BDq-nmH7XI(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I +HSPLandroidx/compose/ui/node/LayoutNode;->$r8$lambda$sRgkQXY3YeKQJ3LSwfhu7YPHyX0(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->()V -HPLandroidx/compose/ui/node/LayoutNode;->(ZI)V +HSPLandroidx/compose/ui/node/LayoutNode;->(ZI)V HPLandroidx/compose/ui/node/LayoutNode;->(ZIILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/node/LayoutNode;->ZComparator$lambda$39(Landroidx/compose/ui/node/LayoutNode;Landroidx/compose/ui/node/LayoutNode;)I HSPLandroidx/compose/ui/node/LayoutNode;->access$getConstructor$cp()Lkotlin/jvm/functions/Function0; HPLandroidx/compose/ui/node/LayoutNode;->access$setIgnoreRemeasureRequests$p(Landroidx/compose/ui/node/LayoutNode;Z)V -HSPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V +HPLandroidx/compose/ui/node/LayoutNode;->attach$ui_release(Landroidx/compose/ui/node/Owner;)V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->clearSubtreePlacementIntrinsicsUsage()V HPLandroidx/compose/ui/node/LayoutNode;->detach$ui_release()V @@ -8785,14 +8791,16 @@ HPLandroidx/compose/ui/node/LayoutNode;->getMeasurePolicy()Landroidx/compose/ui/ HPLandroidx/compose/ui/node/LayoutNode;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; HSPLandroidx/compose/ui/node/LayoutNode;->getNeedsOnPositionedDispatch$ui_release()Z HPLandroidx/compose/ui/node/LayoutNode;->getNodes$ui_release()Landroidx/compose/ui/node/NodeChain; +HPLandroidx/compose/ui/node/LayoutNode;->getOuterCoordinator$ui_release()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNode;->getOwner$ui_release()Landroidx/compose/ui/node/Owner; HPLandroidx/compose/ui/node/LayoutNode;->getParent$ui_release()Landroidx/compose/ui/node/LayoutNode; HPLandroidx/compose/ui/node/LayoutNode;->getPlaceOrder$ui_release()I HSPLandroidx/compose/ui/node/LayoutNode;->getSemanticsId()I HSPLandroidx/compose/ui/node/LayoutNode;->getSubcompositionsState$ui_release()Landroidx/compose/ui/layout/LayoutNodeSubcompositionsState; HSPLandroidx/compose/ui/node/LayoutNode;->getWidth()I -HPLandroidx/compose/ui/node/LayoutNode;->getZIndex()F +HSPLandroidx/compose/ui/node/LayoutNode;->getZIndex()F HPLandroidx/compose/ui/node/LayoutNode;->getZSortedChildren()Landroidx/compose/runtime/collection/MutableVector; +HPLandroidx/compose/ui/node/LayoutNode;->get_children$ui_release()Landroidx/compose/runtime/collection/MutableVector; HPLandroidx/compose/ui/node/LayoutNode;->insertAt$ui_release(ILandroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnAttach()V HPLandroidx/compose/ui/node/LayoutNode;->invalidateFocusOnDetach()V @@ -8806,12 +8814,12 @@ HPLandroidx/compose/ui/node/LayoutNode;->isAttached()Z HPLandroidx/compose/ui/node/LayoutNode;->isDeactivated()Z HPLandroidx/compose/ui/node/LayoutNode;->isPlaced()Z HPLandroidx/compose/ui/node/LayoutNode;->isPlacedByParent()Z -HSPLandroidx/compose/ui/node/LayoutNode;->isValidOwnerScope()Z +HPLandroidx/compose/ui/node/LayoutNode;->isValidOwnerScope()Z PLandroidx/compose/ui/node/LayoutNode;->markLayoutPending$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->markMeasurePending$ui_release()V PLandroidx/compose/ui/node/LayoutNode;->move$ui_release(III)V HPLandroidx/compose/ui/node/LayoutNode;->onChildRemoved(Landroidx/compose/ui/node/LayoutNode;)V -PLandroidx/compose/ui/node/LayoutNode;->onDeactivate()V +HPLandroidx/compose/ui/node/LayoutNode;->onDeactivate()V HPLandroidx/compose/ui/node/LayoutNode;->onDensityOrLayoutDirectionChanged()V HPLandroidx/compose/ui/node/LayoutNode;->onRelease()V HPLandroidx/compose/ui/node/LayoutNode;->onZSortedChildrenInvalidated$ui_release()V @@ -8831,7 +8839,7 @@ PLandroidx/compose/ui/node/LayoutNode;->resetModifierState()V HPLandroidx/compose/ui/node/LayoutNode;->resetSubtreeIntrinsicsUsage$ui_release()V HPLandroidx/compose/ui/node/LayoutNode;->setCanMultiMeasure$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setCompositeKeyHash(I)V -HSPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V +HPLandroidx/compose/ui/node/LayoutNode;->setCompositionLocalMap(Landroidx/compose/runtime/CompositionLocalMap;)V HPLandroidx/compose/ui/node/LayoutNode;->setDensity(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/node/LayoutNode;->setInnerLayerCoordinatorIsDirty$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNode;->setLayoutDirection(Landroidx/compose/ui/unit/LayoutDirection;)V @@ -8891,7 +8899,7 @@ HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->draw-x_KDEd0$ui_release(Landro HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawArc-yD3GUKo(JFFZJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawContent()V HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawDirect-x_KDEd0$ui_release(Landroidx/compose/ui/graphics/Canvas;JLandroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/node/DrawModifierNode;)V -HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V +HPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawImage-AZ2fEMs(Landroidx/compose/ui/graphics/ImageBitmap;JJJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;II)V PLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawPath-LG529CI(Landroidx/compose/ui/graphics/Path;JFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRect-n-J9OG0(JJJFLandroidx/compose/ui/graphics/drawscope/DrawStyle;Landroidx/compose/ui/graphics/ColorFilter;I)V HSPLandroidx/compose/ui/node/LayoutNodeDrawScope;->drawRoundRect-u-Aw5IA(JJJJLandroidx/compose/ui/graphics/drawscope/DrawStyle;FLandroidx/compose/ui/graphics/ColorFilter;I)V @@ -8944,6 +8952,7 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDur HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->setCoordinatesAccessedDuringPlacement(Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate;->updateParentData()V Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate; +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$checkChildrenPlaceOrderForUpdates(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$clearPlaceOrder(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->access$getPlaceOuterCoordinatorLayerBlock$p(Landroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;)Lkotlin/jvm/functions/Function1; @@ -8956,10 +8965,10 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->forEa HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->get(Landroidx/compose/ui/layout/AlignmentLine;)I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getAlignmentLines()Landroidx/compose/ui/node/AlignmentLines; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getChildDelegates$ui_release()Ljava/util/List; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getInnerCoordinator()Landroidx/compose/ui/node/NodeCoordinator; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getLastConstraints-DWUhwKw()Landroidx/compose/ui/unit/Constraints; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getMeasuredByParent$ui_release()Landroidx/compose/ui/node/LayoutNode$UsageByParent; -HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; +HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentAlignmentLinesOwner()Landroidx/compose/ui/node/AlignmentLinesOwner; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getParentData()Ljava/lang/Object; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getPlaceOrder$ui_release()I HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->getZIndex$ui_release()F @@ -8967,15 +8976,17 @@ HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->inval HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->invalidateParentData()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlaced()Z HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->isPlacedByParent()Z -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->layoutChildren()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markNodeAndSubtreeAsPlaced()V PLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->markSubtreeAsNotPlaced()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->measure-BRTryo0(J)Landroidx/compose/ui/layout/Placeable; HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->notifyChildrenUsingCoordinatesWhilePlacing()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onBeforeLayoutChildren()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodeDetached()V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->onNodePlaced$ui_release()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeAt-f8xVGno(JFLkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V -HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->placeOuterCoordinator-f8xVGno(JFLkotlin/jvm/functions/Function1;)V +HSPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->remeasure-BRTryo0(J)Z HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->replace()V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->setChildDelegatesDirty$ui_release(Z)V HPLandroidx/compose/ui/node/LayoutNodeLayoutDelegate$MeasurePassDelegate;->setMeasuredByParent$ui_release(Landroidx/compose/ui/node/LayoutNode$UsageByParent;)V @@ -9042,8 +9053,8 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->doRemeasure-sdFAvZA(Landr HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtree(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->forceMeasureTheSubtreeInternal(Landroidx/compose/ui/node/LayoutNode;Z)V HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getCanAffectParent(Landroidx/compose/ui/node/LayoutNode;)Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z -HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingMeasureOrLayout()Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getHasPendingOnPositionedCallbacks()Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->getMeasureAffectsParent(Landroidx/compose/ui/node/LayoutNode;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureAndLayout(Lkotlin/jvm/functions/Function0;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->measureOnly()V @@ -9053,16 +9064,11 @@ HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->onlyRemeasureIfScheduled( HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureAndRelayoutIfNeeded(Landroidx/compose/ui/node/LayoutNode;ZZ)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->remeasureOnly(Landroidx/compose/ui/node/LayoutNode;Z)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z +HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRelayout(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure$default(Landroidx/compose/ui/node/MeasureAndLayoutDelegate;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)Z HPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->requestRemeasure(Landroidx/compose/ui/node/LayoutNode;Z)Z HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate;->updateRootConstraints-BRTryo0(J)V Landroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest; -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->()V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->(Landroidx/compose/ui/node/LayoutNode;ZZ)V -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->getNode()Landroidx/compose/ui/node/LayoutNode; -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isForced()Z -PLandroidx/compose/ui/node/MeasureAndLayoutDelegate$PostponedRequest;->isLookahead()Z Landroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings; HSPLandroidx/compose/ui/node/MeasureAndLayoutDelegate$WhenMappings;->()V Landroidx/compose/ui/node/MeasureScopeWithLayoutNode; @@ -9096,12 +9102,12 @@ HPLandroidx/compose/ui/node/NodeChain;->markAsAttached()V HPLandroidx/compose/ui/node/NodeChain;->markAsDetached$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->padChain()Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeChain;->resetState$ui_release()V -HSPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V +HPLandroidx/compose/ui/node/NodeChain;->runAttachLifecycle()V HPLandroidx/compose/ui/node/NodeChain;->runDetachLifecycle$ui_release()V HPLandroidx/compose/ui/node/NodeChain;->syncAggregateChildKindSet()V HPLandroidx/compose/ui/node/NodeChain;->syncCoordinators()V HPLandroidx/compose/ui/node/NodeChain;->trimChain(Landroidx/compose/ui/Modifier$Node;)Landroidx/compose/ui/Modifier$Node; -HSPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V +HPLandroidx/compose/ui/node/NodeChain;->updateFrom$ui_release(Landroidx/compose/ui/Modifier;)V HPLandroidx/compose/ui/node/NodeChain;->updateNode(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt; HSPLandroidx/compose/ui/node/NodeChainKt;->()V @@ -9109,7 +9115,7 @@ HPLandroidx/compose/ui/node/NodeChainKt;->access$fillVector(Landroidx/compose/ui HPLandroidx/compose/ui/node/NodeChainKt;->access$getSentinelHead$p()Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt;->access$updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeChainKt;->actionForModifiers(Landroidx/compose/ui/Modifier$Element;Landroidx/compose/ui/Modifier$Element;)I -HSPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; +HPLandroidx/compose/ui/node/NodeChainKt;->fillVector(Landroidx/compose/ui/Modifier;Landroidx/compose/runtime/collection/MutableVector;)Landroidx/compose/runtime/collection/MutableVector; HSPLandroidx/compose/ui/node/NodeChainKt;->updateUnsafe(Landroidx/compose/ui/node/ModifierNodeElement;Landroidx/compose/ui/Modifier$Node;)V Landroidx/compose/ui/node/NodeChainKt$SentinelHead$1; HSPLandroidx/compose/ui/node/NodeChainKt$SentinelHead$1;->()V @@ -9117,6 +9123,7 @@ Landroidx/compose/ui/node/NodeChainKt$fillVector$1; HPLandroidx/compose/ui/node/NodeChainKt$fillVector$1;->(Landroidx/compose/runtime/collection/MutableVector;)V Landroidx/compose/ui/node/NodeCoordinator; HSPLandroidx/compose/ui/node/NodeCoordinator;->()V +HSPLandroidx/compose/ui/node/NodeCoordinator;->(Landroidx/compose/ui/node/LayoutNode;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$drawContainedDrawModifiers(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator;->access$getGraphicsLayerScope$cp()Landroidx/compose/ui/graphics/ReusableGraphicsLayerScope; HPLandroidx/compose/ui/node/NodeCoordinator;->access$getOnCommitAffectingLayer$cp()Lkotlin/jvm/functions/Function1; @@ -9146,10 +9153,12 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->getWrappedBy$ui_release()Landroidx HPLandroidx/compose/ui/node/NodeCoordinator;->getZIndex()F HPLandroidx/compose/ui/node/NodeCoordinator;->hasNode-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeCoordinator;->head-H91voCI(I)Landroidx/compose/ui/Modifier$Node; +HPLandroidx/compose/ui/node/NodeCoordinator;->headNode(Z)Landroidx/compose/ui/Modifier$Node; HPLandroidx/compose/ui/node/NodeCoordinator;->invalidateLayer()V HPLandroidx/compose/ui/node/NodeCoordinator;->isAttached()Z PLandroidx/compose/ui/node/NodeCoordinator;->isValidOwnerScope()Z HPLandroidx/compose/ui/node/NodeCoordinator;->onLayoutNodeAttach()V +HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasureResultChanged(II)V HPLandroidx/compose/ui/node/NodeCoordinator;->onMeasured()V HPLandroidx/compose/ui/node/NodeCoordinator;->onPlaced()V HPLandroidx/compose/ui/node/NodeCoordinator;->onRelease()V @@ -9158,7 +9167,7 @@ HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelf-f8xVGno(JFLkotlin/jvm/fu HPLandroidx/compose/ui/node/NodeCoordinator;->placeSelfApparentToRealOffset-f8xVGno(JFLkotlin/jvm/functions/Function1;)V HPLandroidx/compose/ui/node/NodeCoordinator;->replace$ui_release()V HPLandroidx/compose/ui/node/NodeCoordinator;->setMeasureResult$ui_release(Landroidx/compose/ui/layout/MeasureResult;)V -HSPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V +HPLandroidx/compose/ui/node/NodeCoordinator;->setPosition--gyyYBs(J)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrapped$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HPLandroidx/compose/ui/node/NodeCoordinator;->setWrappedBy$ui_release(Landroidx/compose/ui/node/NodeCoordinator;)V HSPLandroidx/compose/ui/node/NodeCoordinator;->toParentPosition-MK-Hz9U(J)J @@ -9176,15 +9185,15 @@ HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$SemanticsSource$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->()V -PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V -PLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Landroidx/compose/ui/node/NodeCoordinator;)V +HPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayer$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1; HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V HSPLandroidx/compose/ui/node/NodeCoordinator$Companion$onCommitAffectingLayerParams$1;->()V Landroidx/compose/ui/node/NodeCoordinator$HitTestSource; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->(Landroidx/compose/ui/node/NodeCoordinator;)V -HSPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V +HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Landroidx/compose/ui/graphics/Canvas;)V HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1; HPLandroidx/compose/ui/node/NodeCoordinator$drawBlock$1$1;->(Landroidx/compose/ui/node/NodeCoordinator;Landroidx/compose/ui/graphics/Canvas;)V @@ -9203,9 +9212,10 @@ HPLandroidx/compose/ui/node/NodeKind;->constructor-impl(I)I Landroidx/compose/ui/node/NodeKindKt; HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateInsertedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeIncludingDelegates(Landroidx/compose/ui/Modifier$Node;II)V -HSPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V +HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateNodeSelf(Landroidx/compose/ui/Modifier$Node;II)V HPLandroidx/compose/ui/node/NodeKindKt;->autoInvalidateUpdatedNode(Landroidx/compose/ui/Modifier$Node;)V HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Element;)I +HSPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFrom(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->calculateNodeKindSetFromIncludingDelegates(Landroidx/compose/ui/Modifier$Node;)I HPLandroidx/compose/ui/node/NodeKindKt;->getIncludeSelfInTraversal-H91voCI(I)Z HPLandroidx/compose/ui/node/NodeKindKt;->specifiesCanFocusProperty(Landroidx/compose/ui/focus/FocusPropertiesModifierNode;)Z @@ -9224,7 +9234,7 @@ HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatch()V HPLandroidx/compose/ui/node/OnPositionedDispatcher;->dispatchHierarchy(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->isNotEmpty()Z +HPLandroidx/compose/ui/node/OnPositionedDispatcher;->isNotEmpty()Z HSPLandroidx/compose/ui/node/OnPositionedDispatcher;->onNodePositioned(Landroidx/compose/ui/node/LayoutNode;)V Landroidx/compose/ui/node/OnPositionedDispatcher$Companion; HSPLandroidx/compose/ui/node/OnPositionedDispatcher$Companion;->()V @@ -9238,7 +9248,7 @@ Landroidx/compose/ui/node/OwnedLayer; Landroidx/compose/ui/node/Owner; HSPLandroidx/compose/ui/node/Owner;->()V HSPLandroidx/compose/ui/node/Owner;->forceMeasureTheSubtree$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZILjava/lang/Object;)V -HSPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V +HPLandroidx/compose/ui/node/Owner;->measureAndLayout$default(Landroidx/compose/ui/node/Owner;ZILjava/lang/Object;)V HPLandroidx/compose/ui/node/Owner;->onRequestMeasure$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZZILjava/lang/Object;)V PLandroidx/compose/ui/node/Owner;->onRequestRelayout$default(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/node/LayoutNode;ZZILjava/lang/Object;)V Landroidx/compose/ui/node/Owner$Companion; @@ -9282,7 +9292,7 @@ Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Landroidx/compose/ui/node/LayoutNode;)V -HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingMeasure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1; HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1;->()V HSPLandroidx/compose/ui/node/OwnerSnapshotObserver$onCommitAffectingSemantics$1;->()V @@ -9350,8 +9360,8 @@ HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->()V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/ClipboardManager;)V HSPLandroidx/compose/ui/platform/AndroidClipboardManager;->(Landroid/content/Context;)V Landroidx/compose/ui/platform/AndroidComposeView; -HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$6rnsioIDxAVR319ScBkOteeoeiE(Landroidx/compose/ui/platform/AndroidComposeView;)V -HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$TvhWqMihl4JwF42Odovn0ewO6fk(Landroidx/compose/ui/platform/AndroidComposeView;Z)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$9uNktdebB0yK4R-m5-wNwUuyTiU(Landroidx/compose/ui/platform/AndroidComposeView;Z)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->$r8$lambda$LZdaJ-bU2vesAN7Qf40nAqlKyDE(Landroidx/compose/ui/platform/AndroidComposeView;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->()V HPLandroidx/compose/ui/platform/AndroidComposeView;->(Landroid/content/Context;Lkotlin/coroutines/CoroutineContext;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->access$getGetBooleanMethod$cp()Ljava/lang/reflect/Method; @@ -9417,7 +9427,7 @@ PLandroidx/compose/ui/platform/AndroidComposeView;->onRequestRelayout(Landroidx/ HSPLandroidx/compose/ui/platform/AndroidComposeView;->onResume(Landroidx/lifecycle/LifecycleOwner;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->onRtlPropertiesChanged(I)V HPLandroidx/compose/ui/platform/AndroidComposeView;->onSemanticsChange()V -PLandroidx/compose/ui/platform/AndroidComposeView;->onWindowFocusChanged(Z)V +HSPLandroidx/compose/ui/platform/AndroidComposeView;->onWindowFocusChanged(Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->pack-ZIaKswc(II)J HPLandroidx/compose/ui/platform/AndroidComposeView;->recycle$ui_release(Landroidx/compose/ui/node/OwnedLayer;)Z HPLandroidx/compose/ui/platform/AndroidComposeView;->registerOnEndApplyChangesListener(Lkotlin/jvm/functions/Function0;)V @@ -9430,7 +9440,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView;->setOnViewTreeOwnersAvailab HSPLandroidx/compose/ui/platform/AndroidComposeView;->setShowLayoutBounds(Z)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->set_viewTreeOwners(Landroidx/compose/ui/platform/AndroidComposeView$ViewTreeOwners;)V HSPLandroidx/compose/ui/platform/AndroidComposeView;->touchModeChangeListener$lambda$3(Landroidx/compose/ui/platform/AndroidComposeView;Z)V -HSPLandroidx/compose/ui/platform/AndroidComposeView;->updatePositionCacheAndDispatch()V +HPLandroidx/compose/ui/platform/AndroidComposeView;->updatePositionCacheAndDispatch()V Landroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2; HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->(Landroidx/compose/ui/platform/AndroidComposeView;)V HSPLandroidx/compose/ui/platform/AndroidComposeView$$ExternalSyntheticLambda2;->onGlobalLayout()V @@ -9463,7 +9473,7 @@ HSPLandroidx/compose/ui/platform/AndroidComposeView$dragAndDropModifierOnDragLis Landroidx/compose/ui/platform/AndroidComposeView$focusOwner$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HSPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V +HPLandroidx/compose/ui/platform/AndroidComposeView$focusOwner$1;->invoke(Lkotlin/jvm/functions/Function0;)V Landroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1; HSPLandroidx/compose/ui/platform/AndroidComposeView$keyInputModifier$1;->(Landroidx/compose/ui/platform/AndroidComposeView;)V Landroidx/compose/ui/platform/AndroidComposeView$pointerIconService$1; @@ -9571,7 +9581,7 @@ HPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->ProvideAndr HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalContext()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalLifecycleOwner()Landroidx/compose/runtime/ProvidableCompositionLocal; -HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalView()Landroidx/compose/runtime/ProvidableCompositionLocal; +HPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->getLocalView()Landroidx/compose/runtime/ProvidableCompositionLocal; HPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt;->obtainImageVectorCache(Landroid/content/Context;Landroid/content/res/Configuration;Landroidx/compose/runtime/Composer;I)Landroidx/compose/ui/res/ImageVectorCache; Landroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$LocalConfiguration$1; HSPLandroidx/compose/ui/platform/AndroidCompositionLocals_androidKt$LocalConfiguration$1;->()V @@ -9627,15 +9637,15 @@ Landroidx/compose/ui/platform/AndroidUiDispatcher; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->()V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->(Landroid/view/Choreographer;Landroid/os/Handler;)V HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->(Landroid/view/Choreographer;Landroid/os/Handler;Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getHandler$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Landroid/os/Handler; -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/lang/Object; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getHandler$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Landroid/os/Handler; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getLock$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/lang/Object; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getMain$delegate$cp()Lkotlin/Lazy; -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$getToRunOnFrame$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;)Ljava/util/List; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performFrameDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;J)V +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$performTrampolineDispatch(Landroidx/compose/ui/platform/AndroidUiDispatcher;)V PLandroidx/compose/ui/platform/AndroidUiDispatcher;->access$setScheduledFrameDispatch$p(Landroidx/compose/ui/platform/AndroidUiDispatcher;Z)V HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V -HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; +HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getChoreographer()Landroid/view/Choreographer; HSPLandroidx/compose/ui/platform/AndroidUiDispatcher;->getFrameClock()Landroidx/compose/runtime/MonotonicFrameClock; HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->nextTask()Ljava/lang/Runnable; HPLandroidx/compose/ui/platform/AndroidUiDispatcher;->performFrameDispatch(J)V @@ -9665,7 +9675,7 @@ HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->()V HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->(Landroid/view/Choreographer;Landroidx/compose/ui/platform/AndroidUiDispatcher;)V HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; -HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->getChoreographer()Landroid/view/Choreographer; +HPLandroidx/compose/ui/platform/AndroidUiFrameClock;->getChoreographer()Landroid/view/Choreographer; HSPLandroidx/compose/ui/platform/AndroidUiFrameClock;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLandroidx/compose/ui/platform/AndroidUiFrameClock;->withFrameNanos(Lkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/ui/platform/AndroidUiFrameClock$withFrameNanos$2$1; @@ -9703,7 +9713,7 @@ Landroidx/compose/ui/platform/CompositionLocalsKt; HSPLandroidx/compose/ui/platform/CompositionLocalsKt;->()V HPLandroidx/compose/ui/platform/CompositionLocalsKt;->ProvideCommonCompositionLocals(Landroidx/compose/ui/node/Owner;Landroidx/compose/ui/platform/UriHandler;Lkotlin/jvm/functions/Function2;Landroidx/compose/runtime/Composer;I)V HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalDensity()Landroidx/compose/runtime/ProvidableCompositionLocal; -HSPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalFontFamilyResolver()Landroidx/compose/runtime/ProvidableCompositionLocal; +HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalFontFamilyResolver()Landroidx/compose/runtime/ProvidableCompositionLocal; HSPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalInputModeManager()Landroidx/compose/runtime/ProvidableCompositionLocal; HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalLayoutDirection()Landroidx/compose/runtime/ProvidableCompositionLocal; HPLandroidx/compose/ui/platform/CompositionLocalsKt;->getLocalViewConfiguration()Landroidx/compose/runtime/ProvidableCompositionLocal; @@ -9814,7 +9824,7 @@ HPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$1;->invokeSu Landroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2; HSPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->(Lkotlinx/coroutines/channels/Channel;)V HPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; -HPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->invoke(Ljava/lang/Object;)V +HSPLandroidx/compose/ui/platform/GlobalSnapshotManager$ensureStarted$2;->invoke(Ljava/lang/Object;)V Landroidx/compose/ui/platform/InfiniteAnimationPolicy; HSPLandroidx/compose/ui/platform/InfiniteAnimationPolicy;->()V Landroidx/compose/ui/platform/InfiniteAnimationPolicy$Key; @@ -9858,7 +9868,7 @@ HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->minusKey(Lkotlin/coro HSPLandroidx/compose/ui/platform/MotionDurationScaleImpl;->setScaleFactor(F)V Landroidx/compose/ui/platform/OutlineResolver; HSPLandroidx/compose/ui/platform/OutlineResolver;->()V -HSPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/platform/OutlineResolver;->(Landroidx/compose/ui/unit/Density;)V HPLandroidx/compose/ui/platform/OutlineResolver;->getCacheIsDirty$ui_release()Z HPLandroidx/compose/ui/platform/OutlineResolver;->getOutline()Landroid/graphics/Outline; HPLandroidx/compose/ui/platform/OutlineResolver;->getOutlineClipSupported()Z @@ -9871,6 +9881,7 @@ Landroidx/compose/ui/platform/PlatformTextInputSessionHandler; Landroidx/compose/ui/platform/RenderNodeApi29; HSPLandroidx/compose/ui/platform/RenderNodeApi29;->()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->(Landroidx/compose/ui/platform/AndroidComposeView;)V +PLandroidx/compose/ui/platform/RenderNodeApi29;->discardDisplayList()V HPLandroidx/compose/ui/platform/RenderNodeApi29;->drawInto(Landroid/graphics/Canvas;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getClipToOutline()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getElevation()F @@ -9878,8 +9889,8 @@ HPLandroidx/compose/ui/platform/RenderNodeApi29;->getHasDisplayList()Z HPLandroidx/compose/ui/platform/RenderNodeApi29;->getLeft()I HSPLandroidx/compose/ui/platform/RenderNodeApi29;->getMatrix(Landroid/graphics/Matrix;)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->getTop()I -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V -PLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetLeftAndRight(I)V +HPLandroidx/compose/ui/platform/RenderNodeApi29;->offsetTopAndBottom(I)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->record(Landroidx/compose/ui/graphics/CanvasHolder;Landroidx/compose/ui/graphics/Path;Lkotlin/jvm/functions/Function1;)V HSPLandroidx/compose/ui/platform/RenderNodeApi29;->setAlpha(F)V HPLandroidx/compose/ui/platform/RenderNodeApi29;->setClipToBounds(Z)V @@ -9944,11 +9955,11 @@ PLandroidx/compose/ui/platform/ViewCompositionStrategy$DisposeOnDetachedFromWind Landroidx/compose/ui/platform/ViewConfiguration; Landroidx/compose/ui/platform/ViewLayer; HSPLandroidx/compose/ui/platform/ViewLayer;->()V -HSPLandroidx/compose/ui/platform/ViewLayer;->access$getShouldUseDispatchDraw$cp()Z +HPLandroidx/compose/ui/platform/ViewLayer;->access$getShouldUseDispatchDraw$cp()Z Landroidx/compose/ui/platform/ViewLayer$Companion; HSPLandroidx/compose/ui/platform/ViewLayer$Companion;->()V HSPLandroidx/compose/ui/platform/ViewLayer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/platform/ViewLayer$Companion;->getShouldUseDispatchDraw()Z +HPLandroidx/compose/ui/platform/ViewLayer$Companion;->getShouldUseDispatchDraw()Z Landroidx/compose/ui/platform/ViewLayer$Companion$OutlineProvider$1; HSPLandroidx/compose/ui/platform/ViewLayer$Companion$OutlineProvider$1;->()V Landroidx/compose/ui/platform/ViewLayer$Companion$getMatrix$1; @@ -9970,14 +9981,14 @@ Landroidx/compose/ui/platform/WindowInfo; Landroidx/compose/ui/platform/WindowInfoImpl; HSPLandroidx/compose/ui/platform/WindowInfoImpl;->()V HSPLandroidx/compose/ui/platform/WindowInfoImpl;->()V -PLandroidx/compose/ui/platform/WindowInfoImpl;->setWindowFocused(Z)V +HSPLandroidx/compose/ui/platform/WindowInfoImpl;->setWindowFocused(Z)V Landroidx/compose/ui/platform/WindowInfoImpl$Companion; HSPLandroidx/compose/ui/platform/WindowInfoImpl$Companion;->()V HSPLandroidx/compose/ui/platform/WindowInfoImpl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/compose/ui/platform/WindowRecomposerFactory; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory;->()V Landroidx/compose/ui/platform/WindowRecomposerFactory$Companion; -HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->$r8$lambda$PmWZXv-2LDhDmANvYhil4YZYJuQ(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; +HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->$r8$lambda$FWAPLXs0qWMqekhMr83xkKattCY(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->()V HSPLandroidx/compose/ui/platform/WindowRecomposerFactory$Companion;->LifecycleAware$lambda$0(Landroid/view/View;)Landroidx/compose/runtime/Recomposer; @@ -10033,10 +10044,10 @@ HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$createLifecycleAware HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$createLifecycleAwareWindowRecomposer$2$onStateChanged$1$1$1$1;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Landroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1; HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->(Landroid/content/ContentResolver;Landroid/net/Uri;Landroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$contentObserver$1;Lkotlinx/coroutines/channels/Channel;Landroid/content/Context;Lkotlin/coroutines/Continuation;)V -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$contentObserver$1; HSPLandroidx/compose/ui/platform/WindowRecomposer_androidKt$getAnimationScaleFlowFor$1$1$contentObserver$1;->(Lkotlinx/coroutines/channels/Channel;Landroid/os/Handler;)V Landroidx/compose/ui/platform/WrappedComposition; @@ -10245,11 +10256,11 @@ HSPLandroidx/compose/ui/semantics/SemanticsPropertyKey$1;->()V Landroidx/compose/ui/semantics/SemanticsPropertyReceiver; Landroidx/compose/ui/text/AndroidParagraph; HSPLandroidx/compose/ui/text/AndroidParagraph;->()V -HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V -HSPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJ)V +HPLandroidx/compose/ui/text/AndroidParagraph;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;IZJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/AndroidParagraph;->constructTextLayout(IILandroid/text/TextUtils$TruncateAt;IIIII)Landroidx/compose/ui/text/android/TextLayout; HPLandroidx/compose/ui/text/AndroidParagraph;->getDidExceedMaxLines()Z -HSPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F +HPLandroidx/compose/ui/text/AndroidParagraph;->getFirstBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getHeight()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLastBaseline()F HPLandroidx/compose/ui/text/AndroidParagraph;->getLineBaseline$ui_text_release(I)F @@ -10263,12 +10274,12 @@ HPLandroidx/compose/ui/text/AndroidParagraph;->paint-LG529CI(Landroidx/compose/u Landroidx/compose/ui/text/AndroidParagraph$wordBoundary$2; HPLandroidx/compose/ui/text/AndroidParagraph$wordBoundary$2;->(Landroidx/compose/ui/text/AndroidParagraph;)V Landroidx/compose/ui/text/AndroidParagraph_androidKt; -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-aXe7zB0(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-xImikfE(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency--3fSNIE(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-hpcqdu8(I)I -HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-wPN0Rpw(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutAlign-aXe7zB0(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutBreakStrategy-xImikfE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutHyphenationFrequency--3fSNIE(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakStyle-hpcqdu8(I)I +HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->access$toLayoutLineBreakWordStyle-wPN0Rpw(I)I HSPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->shouldAttachIndentationFixSpan(Landroidx/compose/ui/text/TextStyle;Z)Z HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutAlign-aXe7zB0(I)I HPLandroidx/compose/ui/text/AndroidParagraph_androidKt;->toLayoutBreakStrategy-xImikfE(I)I @@ -10302,9 +10313,9 @@ HPLandroidx/compose/ui/text/Paragraph;->paint-LG529CI$default(Landroidx/compose/ Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphIntrinsicsKt; HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics$default(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;ILjava/lang/Object;)Landroidx/compose/ui/text/ParagraphIntrinsics; -HSPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; +HPLandroidx/compose/ui/text/ParagraphIntrinsicsKt;->ParagraphIntrinsics(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/font/FontFamily$Resolver;)Landroidx/compose/ui/text/ParagraphIntrinsics; Landroidx/compose/ui/text/ParagraphKt; -HSPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; +HPLandroidx/compose/ui/text/ParagraphKt;->Paragraph-_EkL_-Y(Landroidx/compose/ui/text/ParagraphIntrinsics;JIZ)Landroidx/compose/ui/text/Paragraph; Landroidx/compose/ui/text/ParagraphStyle; HSPLandroidx/compose/ui/text/ParagraphStyle;->()V HPLandroidx/compose/ui/text/ParagraphStyle;->(IIJLandroidx/compose/ui/text/style/TextIndent;Landroidx/compose/ui/text/PlatformParagraphStyle;Landroidx/compose/ui/text/style/LineHeightStyle;IILandroidx/compose/ui/text/style/TextMotion;)V @@ -10347,7 +10358,7 @@ Landroidx/compose/ui/text/SpanStyle; HSPLandroidx/compose/ui/text/SpanStyle;->()V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/SpanStyle;->(JJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)V HPLandroidx/compose/ui/text/SpanStyle;->(Landroidx/compose/ui/text/style/TextForegroundStyle;JLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/SpanStyle;->equals(Ljava/lang/Object;)Z @@ -10374,8 +10385,8 @@ HSPLandroidx/compose/ui/text/SpanStyle;->hasSameLayoutAffectingAttributes$ui_tex HPLandroidx/compose/ui/text/SpanStyle;->merge(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt; HSPLandroidx/compose/ui/text/SpanStyleKt;->()V -HSPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; -HPLandroidx/compose/ui/text/SpanStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/PlatformSpanStyle;)Landroidx/compose/ui/text/PlatformSpanStyle; +HPLandroidx/compose/ui/text/SpanStyleKt;->fastMerge-dSHsh3o(Landroidx/compose/ui/text/SpanStyle;JLandroidx/compose/ui/graphics/Brush;FJLandroidx/compose/ui/text/font/FontWeight;Landroidx/compose/ui/text/font/FontStyle;Landroidx/compose/ui/text/font/FontSynthesis;Landroidx/compose/ui/text/font/FontFamily;Ljava/lang/String;JLandroidx/compose/ui/text/style/BaselineShift;Landroidx/compose/ui/text/style/TextGeometricTransform;Landroidx/compose/ui/text/intl/LocaleList;JLandroidx/compose/ui/text/style/TextDecoration;Landroidx/compose/ui/graphics/Shadow;Landroidx/compose/ui/text/PlatformSpanStyle;Landroidx/compose/ui/graphics/drawscope/DrawStyle;)Landroidx/compose/ui/text/SpanStyle; +HSPLandroidx/compose/ui/text/SpanStyleKt;->mergePlatformStyle(Landroidx/compose/ui/text/SpanStyle;Landroidx/compose/ui/text/PlatformSpanStyle;)Landroidx/compose/ui/text/PlatformSpanStyle; HPLandroidx/compose/ui/text/SpanStyleKt;->resolveSpanStyleDefaults(Landroidx/compose/ui/text/SpanStyle;)Landroidx/compose/ui/text/SpanStyle; Landroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1; HSPLandroidx/compose/ui/text/SpanStyleKt$resolveSpanStyleDefaults$1;->()V @@ -10421,7 +10432,7 @@ HPLandroidx/compose/ui/text/TextStyle;->getLocaleList()Landroidx/compose/ui/text HPLandroidx/compose/ui/text/TextStyle;->getParagraphStyle$ui_text_release()Landroidx/compose/ui/text/ParagraphStyle; HPLandroidx/compose/ui/text/TextStyle;->getPlatformStyle()Landroidx/compose/ui/text/PlatformTextStyle; HPLandroidx/compose/ui/text/TextStyle;->getShadow()Landroidx/compose/ui/graphics/Shadow; -HSPLandroidx/compose/ui/text/TextStyle;->getSpanStyle$ui_text_release()Landroidx/compose/ui/text/SpanStyle; +HPLandroidx/compose/ui/text/TextStyle;->getSpanStyle$ui_text_release()Landroidx/compose/ui/text/SpanStyle; HPLandroidx/compose/ui/text/TextStyle;->getTextAlign-e0LSkKk()I HPLandroidx/compose/ui/text/TextStyle;->getTextDecoration()Landroidx/compose/ui/text/style/TextDecoration; HPLandroidx/compose/ui/text/TextStyle;->getTextDirection-s_7X-co()I @@ -10457,7 +10468,7 @@ HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->(Ljava/lang/CharSeq HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getBoringMetrics()Landroid/text/BoringLayout$Metrics; HPLandroidx/compose/ui/text/android/LayoutIntrinsics;->getMaxIntrinsicWidth()F Landroidx/compose/ui/text/android/LayoutIntrinsicsKt; -HSPLandroidx/compose/ui/text/android/LayoutIntrinsicsKt;->access$shouldIncreaseMaxIntrinsic(FLjava/lang/CharSequence;Landroid/text/TextPaint;)Z +HPLandroidx/compose/ui/text/android/LayoutIntrinsicsKt;->access$shouldIncreaseMaxIntrinsic(FLjava/lang/CharSequence;Landroid/text/TextPaint;)Z HPLandroidx/compose/ui/text/android/LayoutIntrinsicsKt;->shouldIncreaseMaxIntrinsic(FLjava/lang/CharSequence;Landroid/text/TextPaint;)Z Landroidx/compose/ui/text/android/SpannedExtensionsKt; HPLandroidx/compose/ui/text/android/SpannedExtensionsKt;->hasSpan(Landroid/text/Spanned;Ljava/lang/Class;)Z @@ -10468,42 +10479,42 @@ HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->create(Ljava/lang/Char HPLandroidx/compose/ui/text/android/StaticLayoutFactory;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory23; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->()V -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z +HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->create(Landroidx/compose/ui/text/android/StaticLayoutParams;)Landroid/text/StaticLayout; +HPLandroidx/compose/ui/text/android/StaticLayoutFactory23;->isFallbackLineSpacingEnabled(Landroid/text/StaticLayout;Z)Z Landroidx/compose/ui/text/android/StaticLayoutFactory26; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->()V -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V +HPLandroidx/compose/ui/text/android/StaticLayoutFactory26;->setJustificationMode(Landroid/text/StaticLayout$Builder;I)V Landroidx/compose/ui/text/android/StaticLayoutFactory28; HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->()V -HSPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V +HPLandroidx/compose/ui/text/android/StaticLayoutFactory28;->setUseLineSpacingFromFallbacks(Landroid/text/StaticLayout$Builder;Z)V Landroidx/compose/ui/text/android/StaticLayoutFactoryImpl; Landroidx/compose/ui/text/android/StaticLayoutParams; HPLandroidx/compose/ui/text/android/StaticLayoutParams;->(Ljava/lang/CharSequence;IILandroid/text/TextPaint;ILandroid/text/TextDirectionHeuristic;Landroid/text/Layout$Alignment;ILandroid/text/TextUtils$TruncateAt;IFFIZZIIII[I[I)V -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getAlignment()Landroid/text/Layout$Alignment; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getBreakStrategy()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsize()Landroid/text/TextUtils$TruncateAt; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsizedWidth()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEnd()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getHyphenationFrequency()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getIncludePadding()Z -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getJustificationMode()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLeftIndents()[I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingExtra()F -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingMultiplier()F -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getMaxLines()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getPaint()Landroid/text/TextPaint; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getRightIndents()[I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getStart()I -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getText()Ljava/lang/CharSequence; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getTextDir()Landroid/text/TextDirectionHeuristic; -HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getUseFallbackLineSpacing()Z +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getAlignment()Landroid/text/Layout$Alignment; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getBreakStrategy()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsize()Landroid/text/TextUtils$TruncateAt; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEllipsizedWidth()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getEnd()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getHyphenationFrequency()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getIncludePadding()Z +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getJustificationMode()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLeftIndents()[I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingExtra()F +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getLineSpacingMultiplier()F +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getMaxLines()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getPaint()Landroid/text/TextPaint; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getRightIndents()[I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getStart()I +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getText()Ljava/lang/CharSequence; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getTextDir()Landroid/text/TextDirectionHeuristic; +HPLandroidx/compose/ui/text/android/StaticLayoutParams;->getUseFallbackLineSpacing()Z HSPLandroidx/compose/ui/text/android/StaticLayoutParams;->getWidth()I Landroidx/compose/ui/text/android/TextAlignmentAdapter; HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->()V -HSPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->get(I)Landroid/text/Layout$Alignment; +HPLandroidx/compose/ui/text/android/TextAlignmentAdapter;->get(I)Landroid/text/Layout$Alignment; Landroidx/compose/ui/text/android/TextAndroidCanvas; HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->()V @@ -10513,10 +10524,10 @@ HSPLandroidx/compose/ui/text/android/TextAndroidCanvas;->setCanvas(Landroid/grap Landroidx/compose/ui/text/android/TextLayout; HSPLandroidx/compose/ui/text/android/TextLayout;->()V HPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;)V -HSPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLandroidx/compose/ui/text/android/TextLayout;->getDidExceedMaxLines()Z +HPLandroidx/compose/ui/text/android/TextLayout;->(Ljava/lang/CharSequence;FLandroid/text/TextPaint;ILandroid/text/TextUtils$TruncateAt;IFFZZIIIIII[I[ILandroidx/compose/ui/text/android/LayoutIntrinsics;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HSPLandroidx/compose/ui/text/android/TextLayout;->getDidExceedMaxLines()Z HPLandroidx/compose/ui/text/android/TextLayout;->getHeight()I -HSPLandroidx/compose/ui/text/android/TextLayout;->getIncludePadding()Z +HPLandroidx/compose/ui/text/android/TextLayout;->getIncludePadding()Z HPLandroidx/compose/ui/text/android/TextLayout;->getLayout()Landroid/text/Layout; HPLandroidx/compose/ui/text/android/TextLayout;->getLineBaseline(I)F HPLandroidx/compose/ui/text/android/TextLayout;->getLineCount()I @@ -10528,11 +10539,11 @@ HPLandroidx/compose/ui/text/android/TextLayout$layoutHelper$2;->(Landroidx Landroidx/compose/ui/text/android/TextLayoutKt; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->()V HSPLandroidx/compose/ui/text/android/TextLayoutKt;->VerticalPaddings(II)J -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J +HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; +HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getSharedTextAndroidCanvas$p()Landroidx/compose/ui/text/android/TextAndroidCanvas; -HSPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J +HPLandroidx/compose/ui/text/android/TextLayoutKt;->access$getVerticalPaddings(Landroidx/compose/ui/text/android/TextLayout;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLastLineMetrics(Landroidx/compose/ui/text/android/TextLayout;Landroid/text/TextPaint;Landroid/text/TextDirectionHeuristic;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)Landroid/graphics/Paint$FontMetricsInt; HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightPaddings(Landroidx/compose/ui/text/android/TextLayout;[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan;)J HPLandroidx/compose/ui/text/android/TextLayoutKt;->getLineHeightSpans(Landroidx/compose/ui/text/android/TextLayout;)[Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; @@ -10548,7 +10559,7 @@ Landroidx/compose/ui/text/android/style/IndentationFixSpanKt; HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedLeftPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding$default(Landroid/text/Layout;ILandroid/graphics/Paint;ILjava/lang/Object;)F -HSPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F +HPLandroidx/compose/ui/text/android/style/IndentationFixSpanKt;->getEllipsizedRightPadding(Landroid/text/Layout;ILandroid/graphics/Paint;)F Landroidx/compose/ui/text/android/style/LetterSpacingSpanEm; Landroidx/compose/ui/text/android/style/LetterSpacingSpanPx; Landroidx/compose/ui/text/android/style/LineHeightStyleSpan; @@ -10556,8 +10567,8 @@ HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->()V HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->(FIIZZF)V HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->calculateTargetMetrics(Landroid/graphics/Paint$FontMetricsInt;)V HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->chooseHeight(Ljava/lang/CharSequence;IIIILandroid/graphics/Paint$FontMetricsInt;)V -HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getFirstAscentDiff()I -HSPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getLastDescentDiff()I +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getFirstAscentDiff()I +HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpan;->getLastDescentDiff()I Landroidx/compose/ui/text/android/style/LineHeightStyleSpanKt; HPLandroidx/compose/ui/text/android/style/LineHeightStyleSpanKt;->lineHeight(Landroid/graphics/Paint$FontMetricsInt;)I Landroidx/compose/ui/text/android/style/PlaceholderSpan; @@ -10581,11 +10592,11 @@ HSPLandroidx/compose/ui/text/caches/SimpleArrayMap;->(IILkotlin/jvm/intern Landroidx/compose/ui/text/font/AndroidFontLoader; HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->()V HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->(Landroid/content/Context;)V -HSPLandroidx/compose/ui/text/font/AndroidFontLoader;->getCacheKey()Ljava/lang/Object; +HPLandroidx/compose/ui/text/font/AndroidFontLoader;->getCacheKey()Ljava/lang/Object; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->()V HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->(I)V -HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; +HPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor;->interceptFontWeight(Landroidx/compose/ui/text/font/FontWeight;)Landroidx/compose/ui/text/font/FontWeight; Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt; HSPLandroidx/compose/ui/text/font/AndroidFontResolveInterceptor_androidKt;->AndroidFontResolveInterceptor(Landroid/content/Context;)Landroidx/compose/ui/text/font/AndroidFontResolveInterceptor; Landroidx/compose/ui/text/font/AsyncTypefaceCache; @@ -10649,7 +10660,7 @@ Landroidx/compose/ui/text/font/FontStyle; HSPLandroidx/compose/ui/text/font/FontStyle;->()V HPLandroidx/compose/ui/text/font/FontStyle;->(I)V HSPLandroidx/compose/ui/text/font/FontStyle;->access$getItalic$cp()I -HSPLandroidx/compose/ui/text/font/FontStyle;->access$getNormal$cp()I +HPLandroidx/compose/ui/text/font/FontStyle;->access$getNormal$cp()I HPLandroidx/compose/ui/text/font/FontStyle;->box-impl(I)Landroidx/compose/ui/text/font/FontStyle; HSPLandroidx/compose/ui/text/font/FontStyle;->constructor-impl(I)I HSPLandroidx/compose/ui/text/font/FontStyle;->equals-impl0(II)Z @@ -10659,11 +10670,11 @@ Landroidx/compose/ui/text/font/FontStyle$Companion; HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->()V HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->getItalic-_-LCdwA()I -HSPLandroidx/compose/ui/text/font/FontStyle$Companion;->getNormal-_-LCdwA()I +HPLandroidx/compose/ui/text/font/FontStyle$Companion;->getNormal-_-LCdwA()I Landroidx/compose/ui/text/font/FontSynthesis; HSPLandroidx/compose/ui/text/font/FontSynthesis;->()V HPLandroidx/compose/ui/text/font/FontSynthesis;->(I)V -HSPLandroidx/compose/ui/text/font/FontSynthesis;->access$getAll$cp()I +HPLandroidx/compose/ui/text/font/FontSynthesis;->access$getAll$cp()I HPLandroidx/compose/ui/text/font/FontSynthesis;->box-impl(I)Landroidx/compose/ui/text/font/FontSynthesis; HSPLandroidx/compose/ui/text/font/FontSynthesis;->constructor-impl(I)I HSPLandroidx/compose/ui/text/font/FontSynthesis;->equals-impl0(II)Z @@ -10672,7 +10683,7 @@ HPLandroidx/compose/ui/text/font/FontSynthesis;->unbox-impl()I Landroidx/compose/ui/text/font/FontSynthesis$Companion; HSPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->()V HSPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->getAll-GVVA2EU()I +HPLandroidx/compose/ui/text/font/FontSynthesis$Companion;->getAll-GVVA2EU()I Landroidx/compose/ui/text/font/FontWeight; HSPLandroidx/compose/ui/text/font/FontWeight;->()V HSPLandroidx/compose/ui/text/font/FontWeight;->(I)V @@ -10721,7 +10732,7 @@ HSPLandroidx/compose/ui/text/font/SystemFontFamily;->(Lkotlin/jvm/internal Landroidx/compose/ui/text/font/TypefaceRequest; HSPLandroidx/compose/ui/text/font/TypefaceRequest;->()V HPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;)V -HSPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLandroidx/compose/ui/text/font/TypefaceRequest;->(Landroidx/compose/ui/text/font/FontFamily;Landroidx/compose/ui/text/font/FontWeight;IILjava/lang/Object;Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/font/TypefaceRequest;->equals(Ljava/lang/Object;)Z HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontFamily()Landroidx/compose/ui/text/font/FontFamily; HSPLandroidx/compose/ui/text/font/TypefaceRequest;->getFontStyle-_-LCdwA()I @@ -10739,7 +10750,7 @@ HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->()V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/Object;Z)V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->(Ljava/lang/Object;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getCacheable()Z -HSPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getValue()Ljava/lang/Object; +HPLandroidx/compose/ui/text/font/TypefaceResult$Immutable;->getValue()Ljava/lang/Object; Landroidx/compose/ui/text/input/CursorAnchorInfoController; HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->()V HSPLandroidx/compose/ui/text/input/CursorAnchorInfoController;->(Landroidx/compose/ui/input/pointer/PositionCalculator;Landroidx/compose/ui/text/input/InputMethodManager;)V @@ -10862,13 +10873,13 @@ HSPLandroidx/compose/ui/text/platform/AndroidParagraphHelper_androidKt$NoopSpan$ Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics; HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->()V HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->(Ljava/lang/String;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Ljava/util/List;Landroidx/compose/ui/text/font/FontFamily$Resolver;Landroidx/compose/ui/unit/Density;)V -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getCharSequence$ui_text_release()Ljava/lang/CharSequence; -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getFontFamilyResolver()Landroidx/compose/ui/text/font/FontFamily$Resolver; +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getCharSequence$ui_text_release()Ljava/lang/CharSequence; +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getFontFamilyResolver()Landroidx/compose/ui/text/font/FontFamily$Resolver; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getHasStaleResolvedFonts()Z -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getLayoutIntrinsics$ui_text_release()Landroidx/compose/ui/text/android/LayoutIntrinsics; +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getLayoutIntrinsics$ui_text_release()Landroidx/compose/ui/text/android/LayoutIntrinsics; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getMaxIntrinsicWidth()F HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getStyle()Landroidx/compose/ui/text/TextStyle; -HSPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getTextDirectionHeuristic$ui_text_release()I +HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getTextDirectionHeuristic$ui_text_release()I HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;->getTextPaint$ui_text_release()Landroidx/compose/ui/text/platform/AndroidTextPaint; Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics$resolveTypeface$1; HPLandroidx/compose/ui/text/platform/AndroidParagraphIntrinsics$resolveTypeface$1;->(Landroidx/compose/ui/text/platform/AndroidParagraphIntrinsics;)V @@ -10921,11 +10932,11 @@ Landroidx/compose/ui/text/platform/URLSpanCache; HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V HSPLandroidx/compose/ui/text/platform/URLSpanCache;->()V Landroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt; -HSPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V +HPLandroidx/compose/ui/text/platform/extensions/PlaceholderExtensions_androidKt;->setPlaceholders(Landroid/text/Spannable;Ljava/util/List;Landroidx/compose/ui/unit/Density;)V Landroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt; HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->flattenFontStylesAndApply(Landroidx/compose/ui/text/SpanStyle;Ljava/util/List;Lkotlin/jvm/functions/Function3;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->hasFontAttributes(Landroidx/compose/ui/text/TextStyle;)Z -HSPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->isNonLinearFontScalingActive(Landroidx/compose/ui/unit/Density;)Z +HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->isNonLinearFontScalingActive(Landroidx/compose/ui/unit/Density;)Z HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->resolveLineHeightInPx-o2QH7mI(JFLandroidx/compose/ui/unit/Density;)F HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setFontAttributes(Landroid/text/Spannable;Landroidx/compose/ui/text/TextStyle;Ljava/util/List;Lkotlin/jvm/functions/Function4;)V HPLandroidx/compose/ui/text/platform/extensions/SpannableExtensions_androidKt;->setLineHeight-KmRG4DE(Landroid/text/Spannable;JFLandroidx/compose/ui/unit/Density;Landroidx/compose/ui/text/style/LineHeightStyle;)V @@ -10946,8 +10957,8 @@ HPLandroidx/compose/ui/text/style/BaselineShift;->(F)V HPLandroidx/compose/ui/text/style/BaselineShift;->access$getNone$cp()F HPLandroidx/compose/ui/text/style/BaselineShift;->box-impl(F)Landroidx/compose/ui/text/style/BaselineShift; HSPLandroidx/compose/ui/text/style/BaselineShift;->constructor-impl(F)F -HSPLandroidx/compose/ui/text/style/BaselineShift;->equals-impl0(FF)Z -HSPLandroidx/compose/ui/text/style/BaselineShift;->unbox-impl()F +HPLandroidx/compose/ui/text/style/BaselineShift;->equals-impl0(FF)Z +HPLandroidx/compose/ui/text/style/BaselineShift;->unbox-impl()F Landroidx/compose/ui/text/style/BaselineShift$Companion; HSPLandroidx/compose/ui/text/style/BaselineShift$Companion;->()V HSPLandroidx/compose/ui/text/style/BaselineShift$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -10962,7 +10973,7 @@ HSPLandroidx/compose/ui/text/style/ColorStyle;->getBrush()Landroidx/compose/ui/g HPLandroidx/compose/ui/text/style/ColorStyle;->getColor-0d7_KjU()J Landroidx/compose/ui/text/style/Hyphens; HSPLandroidx/compose/ui/text/style/Hyphens;->()V -HSPLandroidx/compose/ui/text/style/Hyphens;->access$getAuto$cp()I +HPLandroidx/compose/ui/text/style/Hyphens;->access$getAuto$cp()I HPLandroidx/compose/ui/text/style/Hyphens;->access$getNone$cp()I HPLandroidx/compose/ui/text/style/Hyphens;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/Hyphens;->constructor-impl(I)I @@ -10970,12 +10981,12 @@ HSPLandroidx/compose/ui/text/style/Hyphens;->equals-impl0(II)Z Landroidx/compose/ui/text/style/Hyphens$Companion; HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->()V HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/Hyphens$Companion;->getAuto-vmbZdU8()I +HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getAuto-vmbZdU8()I HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getNone-vmbZdU8()I HPLandroidx/compose/ui/text/style/Hyphens$Companion;->getUnspecified-vmbZdU8()I Landroidx/compose/ui/text/style/LineBreak; HSPLandroidx/compose/ui/text/style/LineBreak;->()V -HSPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I +HPLandroidx/compose/ui/text/style/LineBreak;->access$getSimple$cp()I HPLandroidx/compose/ui/text/style/LineBreak;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/LineBreak;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak;->equals-impl0(II)Z @@ -10985,13 +10996,13 @@ HPLandroidx/compose/ui/text/style/LineBreak;->getWordBreak-jp8hJ3c(I)I Landroidx/compose/ui/text/style/LineBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I +HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getSimple-rAG3T2k()I HPLandroidx/compose/ui/text/style/LineBreak$Companion;->getUnspecified-rAG3T2k()I Landroidx/compose/ui/text/style/LineBreak$Strategy; HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getBalanced$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getHighQuality$cp()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getSimple$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$Strategy;->access$getSimple$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy;->equals-impl0(II)Z Landroidx/compose/ui/text/style/LineBreak$Strategy$Companion; @@ -10999,38 +11010,38 @@ HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getBalanced-fcGXIks()I HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getHighQuality-fcGXIks()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getSimple-fcGXIks()I +HPLandroidx/compose/ui/text/style/LineBreak$Strategy$Companion;->getSimple-fcGXIks()I Landroidx/compose/ui/text/style/LineBreak$Strictness; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->()V -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getDefault$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getLoose$cp()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getNormal$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getNormal$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->access$getStrict$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness;->equals-impl0(II)Z Landroidx/compose/ui/text/style/LineBreak$Strictness$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getDefault-usljTpc()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getLoose-usljTpc()I -HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getNormal-usljTpc()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getDefault-usljTpc()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getLoose-usljTpc()I +HPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getNormal-usljTpc()I HSPLandroidx/compose/ui/text/style/LineBreak$Strictness$Companion;->getStrict-usljTpc()I Landroidx/compose/ui/text/style/LineBreak$WordBreak; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->()V -HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getDefault$cp()I +HPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getDefault$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->access$getPhrase$cp()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak;->equals-impl0(II)Z Landroidx/compose/ui/text/style/LineBreak$WordBreak$Companion; HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->()V HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->getDefault-jp8hJ3c()I +HPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->getDefault-jp8hJ3c()I HSPLandroidx/compose/ui/text/style/LineBreak$WordBreak$Companion;->getPhrase-jp8hJ3c()I Landroidx/compose/ui/text/style/LineBreak_androidKt; HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$packBytes(III)I -HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte1(I)I -HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte2(I)I -HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte3(I)I +HPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte1(I)I +HPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte2(I)I +HPLandroidx/compose/ui/text/style/LineBreak_androidKt;->access$unpackByte3(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->packBytes(III)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte1(I)I HSPLandroidx/compose/ui/text/style/LineBreak_androidKt;->unpackByte2(I)I @@ -11040,7 +11051,7 @@ HSPLandroidx/compose/ui/text/style/LineHeightStyle;->()V HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FI)V HSPLandroidx/compose/ui/text/style/LineHeightStyle;->(FILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/LineHeightStyle;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/text/style/LineHeightStyle;->getAlignment-PIaL0Z0()F +HPLandroidx/compose/ui/text/style/LineHeightStyle;->getAlignment-PIaL0Z0()F HPLandroidx/compose/ui/text/style/LineHeightStyle;->getTrim-EVpEnUU()I Landroidx/compose/ui/text/style/LineHeightStyle$Alignment; HSPLandroidx/compose/ui/text/style/LineHeightStyle$Alignment;->()V @@ -11069,10 +11080,10 @@ HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getBoth-EVpE HSPLandroidx/compose/ui/text/style/LineHeightStyle$Trim$Companion;->getNone-EVpEnUU()I Landroidx/compose/ui/text/style/TextAlign; HSPLandroidx/compose/ui/text/style/TextAlign;->()V -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getCenter$cp()I -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getJustify$cp()I -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getLeft$cp()I -HSPLandroidx/compose/ui/text/style/TextAlign;->access$getRight$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getCenter$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getJustify$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getLeft$cp()I +HPLandroidx/compose/ui/text/style/TextAlign;->access$getRight$cp()I HPLandroidx/compose/ui/text/style/TextAlign;->access$getStart$cp()I HPLandroidx/compose/ui/text/style/TextAlign;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextAlign;->constructor-impl(I)I @@ -11080,28 +11091,28 @@ HSPLandroidx/compose/ui/text/style/TextAlign;->equals-impl0(II)Z Landroidx/compose/ui/text/style/TextAlign$Companion; HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->()V HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getCenter-e0LSkKk()I -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getJustify-e0LSkKk()I -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getLeft-e0LSkKk()I -HSPLandroidx/compose/ui/text/style/TextAlign$Companion;->getRight-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getCenter-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getJustify-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getLeft-e0LSkKk()I +HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getRight-e0LSkKk()I HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getStart-e0LSkKk()I HPLandroidx/compose/ui/text/style/TextAlign$Companion;->getUnspecified-e0LSkKk()I Landroidx/compose/ui/text/style/TextDecoration; HSPLandroidx/compose/ui/text/style/TextDecoration;->()V HSPLandroidx/compose/ui/text/style/TextDecoration;->(I)V HPLandroidx/compose/ui/text/style/TextDecoration;->access$getNone$cp()Landroidx/compose/ui/text/style/TextDecoration; -HSPLandroidx/compose/ui/text/style/TextDecoration;->access$getUnderline$cp()Landroidx/compose/ui/text/style/TextDecoration; +HPLandroidx/compose/ui/text/style/TextDecoration;->access$getUnderline$cp()Landroidx/compose/ui/text/style/TextDecoration; HPLandroidx/compose/ui/text/style/TextDecoration;->equals(Ljava/lang/Object;)Z Landroidx/compose/ui/text/style/TextDecoration$Companion; HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->()V HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getNone()Landroidx/compose/ui/text/style/TextDecoration; -HSPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getUnderline()Landroidx/compose/ui/text/style/TextDecoration; +HPLandroidx/compose/ui/text/style/TextDecoration$Companion;->getUnderline()Landroidx/compose/ui/text/style/TextDecoration; Landroidx/compose/ui/text/style/TextDirection; HSPLandroidx/compose/ui/text/style/TextDirection;->()V -HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContent$cp()I -HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrLtr$cp()I -HSPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrRtl$cp()I +HPLandroidx/compose/ui/text/style/TextDirection;->access$getContent$cp()I +HPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrLtr$cp()I +HPLandroidx/compose/ui/text/style/TextDirection;->access$getContentOrRtl$cp()I HPLandroidx/compose/ui/text/style/TextDirection;->access$getLtr$cp()I HPLandroidx/compose/ui/text/style/TextDirection;->access$getUnspecified$cp()I HSPLandroidx/compose/ui/text/style/TextDirection;->constructor-impl(I)I @@ -11110,8 +11121,8 @@ Landroidx/compose/ui/text/style/TextDirection$Companion; HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->()V HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContent-s_7X-co()I -HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrLtr-s_7X-co()I -HSPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrRtl-s_7X-co()I +HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrLtr-s_7X-co()I +HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getContentOrRtl-s_7X-co()I HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getLtr-s_7X-co()I HPLandroidx/compose/ui/text/style/TextDirection$Companion;->getUnspecified-s_7X-co()I Landroidx/compose/ui/text/style/TextForegroundStyle; @@ -11148,7 +11159,7 @@ HSPLandroidx/compose/ui/text/style/TextIndent;->(JJILkotlin/jvm/internal/D HSPLandroidx/compose/ui/text/style/TextIndent;->(JJLkotlin/jvm/internal/DefaultConstructorMarker;)V HPLandroidx/compose/ui/text/style/TextIndent;->access$getNone$cp()Landroidx/compose/ui/text/style/TextIndent; HSPLandroidx/compose/ui/text/style/TextIndent;->equals(Ljava/lang/Object;)Z -HSPLandroidx/compose/ui/text/style/TextIndent;->getFirstLine-XSAIIZE()J +HPLandroidx/compose/ui/text/style/TextIndent;->getFirstLine-XSAIIZE()J HSPLandroidx/compose/ui/text/style/TextIndent;->getRestLine-XSAIIZE()J Landroidx/compose/ui/text/style/TextIndent$Companion; HSPLandroidx/compose/ui/text/style/TextIndent$Companion;->()V @@ -11158,28 +11169,28 @@ Landroidx/compose/ui/text/style/TextMotion; HSPLandroidx/compose/ui/text/style/TextMotion;->()V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZ)V HSPLandroidx/compose/ui/text/style/TextMotion;->(IZLkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextMotion;->access$getStatic$cp()Landroidx/compose/ui/text/style/TextMotion; -HSPLandroidx/compose/ui/text/style/TextMotion;->getLinearity-4e0Vf04$ui_text_release()I -HSPLandroidx/compose/ui/text/style/TextMotion;->getSubpixelTextPositioning$ui_text_release()Z +HPLandroidx/compose/ui/text/style/TextMotion;->access$getStatic$cp()Landroidx/compose/ui/text/style/TextMotion; +HPLandroidx/compose/ui/text/style/TextMotion;->getLinearity-4e0Vf04$ui_text_release()I +HPLandroidx/compose/ui/text/style/TextMotion;->getSubpixelTextPositioning$ui_text_release()Z Landroidx/compose/ui/text/style/TextMotion$Companion; HSPLandroidx/compose/ui/text/style/TextMotion$Companion;->()V HSPLandroidx/compose/ui/text/style/TextMotion$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextMotion$Companion;->getStatic()Landroidx/compose/ui/text/style/TextMotion; +HPLandroidx/compose/ui/text/style/TextMotion$Companion;->getStatic()Landroidx/compose/ui/text/style/TextMotion; Landroidx/compose/ui/text/style/TextMotion$Linearity; HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->()V -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getFontHinting$cp()I -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getLinear$cp()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getFontHinting$cp()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity;->access$getLinear$cp()I HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/TextMotion$Linearity;->equals-impl0(II)Z Landroidx/compose/ui/text/style/TextMotion$Linearity$Companion; HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->()V HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getFontHinting-4e0Vf04()I -HSPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getLinear-4e0Vf04()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getFontHinting-4e0Vf04()I +HPLandroidx/compose/ui/text/style/TextMotion$Linearity$Companion;->getLinear-4e0Vf04()I Landroidx/compose/ui/text/style/TextOverflow; HSPLandroidx/compose/ui/text/style/TextOverflow;->()V HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getClip$cp()I -HSPLandroidx/compose/ui/text/style/TextOverflow;->access$getEllipsis$cp()I +HPLandroidx/compose/ui/text/style/TextOverflow;->access$getEllipsis$cp()I HPLandroidx/compose/ui/text/style/TextOverflow;->access$getVisible$cp()I HSPLandroidx/compose/ui/text/style/TextOverflow;->constructor-impl(I)I HSPLandroidx/compose/ui/text/style/TextOverflow;->equals-impl0(II)Z @@ -11187,7 +11198,7 @@ Landroidx/compose/ui/text/style/TextOverflow$Companion; HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->()V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getClip-gIe3tQ8()I -HSPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getEllipsis-gIe3tQ8()I +HPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getEllipsis-gIe3tQ8()I HPLandroidx/compose/ui/text/style/TextOverflow$Companion;->getVisible-gIe3tQ8()I Landroidx/compose/ui/unit/AndroidDensity_androidKt; HSPLandroidx/compose/ui/unit/AndroidDensity_androidKt;->Density(Landroid/content/Context;)Landroidx/compose/ui/unit/Density; @@ -11199,7 +11210,7 @@ HPLandroidx/compose/ui/unit/Constraints;->box-impl(J)Landroidx/compose/ui/unit/C HPLandroidx/compose/ui/unit/Constraints;->constructor-impl(J)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA$default(JIIIIILjava/lang/Object;)J HPLandroidx/compose/ui/unit/Constraints;->copy-Zbe2FdA(JIIII)J -HPLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z +PLandroidx/compose/ui/unit/Constraints;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl(JLjava/lang/Object;)Z HPLandroidx/compose/ui/unit/Constraints;->equals-impl0(JJ)Z HPLandroidx/compose/ui/unit/Constraints;->getFocusIndex-impl(J)I @@ -11245,13 +11256,13 @@ HSPLandroidx/compose/ui/unit/DensityKt;->Density$default(FFILjava/lang/Object;)L HSPLandroidx/compose/ui/unit/DensityKt;->Density(FF)Landroidx/compose/ui/unit/Density; Landroidx/compose/ui/unit/DensityWithConverter; HSPLandroidx/compose/ui/unit/DensityWithConverter;->(FFLandroidx/compose/ui/unit/fontscaling/FontScaleConverter;)V -HSPLandroidx/compose/ui/unit/DensityWithConverter;->equals(Ljava/lang/Object;)Z +HPLandroidx/compose/ui/unit/DensityWithConverter;->equals(Ljava/lang/Object;)Z HPLandroidx/compose/ui/unit/DensityWithConverter;->getDensity()F HPLandroidx/compose/ui/unit/DensityWithConverter;->getFontScale()F Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->()V HPLandroidx/compose/ui/unit/Dp;->(F)V -HSPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F +HPLandroidx/compose/ui/unit/Dp;->access$getUnspecified$cp()F HPLandroidx/compose/ui/unit/Dp;->box-impl(F)Landroidx/compose/ui/unit/Dp; HSPLandroidx/compose/ui/unit/Dp;->compareTo-0680j_4(FF)I HSPLandroidx/compose/ui/unit/Dp;->constructor-impl(F)F @@ -11308,7 +11319,7 @@ HPLandroidx/compose/ui/unit/IntOffsetKt;->IntOffset(II)J HSPLandroidx/compose/ui/unit/IntOffsetKt;->plus-Nv-tHpc(JJ)J Landroidx/compose/ui/unit/IntSize; HSPLandroidx/compose/ui/unit/IntSize;->()V -HPLandroidx/compose/ui/unit/IntSize;->(J)V +HSPLandroidx/compose/ui/unit/IntSize;->(J)V HPLandroidx/compose/ui/unit/IntSize;->access$getZero$cp()J HSPLandroidx/compose/ui/unit/IntSize;->box-impl(J)Landroidx/compose/ui/unit/IntSize; HPLandroidx/compose/ui/unit/IntSize;->constructor-impl(J)J @@ -11443,9 +11454,9 @@ Landroidx/core/content/OnTrimMemoryProvider; Landroidx/core/graphics/Insets; HSPLandroidx/core/graphics/Insets;->()V HPLandroidx/core/graphics/Insets;->(IIII)V -HPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z +HSPLandroidx/core/graphics/Insets;->equals(Ljava/lang/Object;)Z HSPLandroidx/core/graphics/Insets;->of(IIII)Landroidx/core/graphics/Insets; -HPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; +HSPLandroidx/core/graphics/Insets;->toCompatInsets(Landroid/graphics/Insets;)Landroidx/core/graphics/Insets; Landroidx/core/graphics/drawable/TintAwareDrawable; Landroidx/core/os/HandlerCompat; HSPLandroidx/core/os/HandlerCompat;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; @@ -11458,24 +11469,25 @@ HSPLandroidx/core/os/LocaleListCompat;->create([Ljava/util/Locale;)Landroidx/cor HSPLandroidx/core/os/LocaleListCompat;->forLanguageTags(Ljava/lang/String;)Landroidx/core/os/LocaleListCompat; HSPLandroidx/core/os/LocaleListCompat;->wrap(Landroid/os/LocaleList;)Landroidx/core/os/LocaleListCompat; Landroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0; -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;)V PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;I)Z -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$1(Landroid/graphics/RenderNode;Z)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;F)Z -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;I)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$2(Landroid/graphics/RenderNode;Z)Z -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;)I -HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$5(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$8(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;)I +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;)Z +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$3(Landroid/graphics/RenderNode;I)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$4(Landroid/graphics/RenderNode;)F +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$6(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$7(Landroid/graphics/RenderNode;F)Z +PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$8(Landroid/graphics/RenderNode;F)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m$9(Landroid/graphics/RenderNode;F)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/Canvas;Landroid/graphics/RenderNode;)V -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)F HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)I HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)Landroid/graphics/RecordingCanvas; -PLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;F)Z -HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;IIII)Z +HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;)V +HSPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Matrix;)V HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Landroid/graphics/Outline;)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Landroid/graphics/RenderNode;Z)Z HPLandroidx/core/os/LocaleListCompat$$ExternalSyntheticApiModelOutline0;->m(Ljava/lang/String;)Landroid/graphics/RenderNode; @@ -11487,13 +11499,11 @@ HSPLandroidx/core/os/LocaleListCompat$Api24Impl;->createLocaleList([Ljava/util/L Landroidx/core/os/LocaleListInterface; Landroidx/core/os/LocaleListPlatformWrapper; HSPLandroidx/core/os/LocaleListPlatformWrapper;->(Ljava/lang/Object;)V -Landroidx/core/os/TraceCompat; -HSPLandroidx/core/os/TraceCompat;->()V -HSPLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V -HSPLandroidx/core/os/TraceCompat;->endSection()V -Landroidx/core/os/TraceCompat$Api18Impl; -HSPLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V -HSPLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V +PLandroidx/core/os/TraceCompat;->()V +PLandroidx/core/os/TraceCompat;->beginSection(Ljava/lang/String;)V +PLandroidx/core/os/TraceCompat;->endSection()V +PLandroidx/core/os/TraceCompat$Api18Impl;->beginSection(Ljava/lang/String;)V +PLandroidx/core/os/TraceCompat$Api18Impl;->endSection()V PLandroidx/core/util/ObjectsCompat;->requireNonNull(Ljava/lang/Object;Ljava/lang/String;)Ljava/lang/Object; Landroidx/core/util/Preconditions; HSPLandroidx/core/util/Preconditions;->checkNotNull(Ljava/lang/Object;)Ljava/lang/Object; @@ -11629,7 +11639,7 @@ Landroidx/core/view/WindowInsetsCompat$Impl30; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->()V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->(Landroidx/core/view/WindowInsetsCompat;Landroid/view/WindowInsets;)V HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->copyRootViewBounds(Landroid/view/View;)V -HPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; +HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsets(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->getInsetsIgnoringVisibility(I)Landroidx/core/graphics/Insets; HSPLandroidx/core/view/WindowInsetsCompat$Impl30;->isVisible(I)Z Landroidx/core/view/WindowInsetsCompat$Type; @@ -11701,15 +11711,16 @@ PLandroidx/datastore/core/DataStoreImpl;->()V PLandroidx/datastore/core/DataStoreImpl;->(Landroidx/datastore/core/Storage;Ljava/util/List;Landroidx/datastore/core/CorruptionHandler;Lkotlinx/coroutines/CoroutineScope;)V PLandroidx/datastore/core/DataStoreImpl;->access$getCoordinator(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/DataStoreImpl;->access$getInMemoryCache$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/DataStoreInMemoryCache; -PLandroidx/datastore/core/DataStoreImpl;->access$getScope$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/CoroutineScope; +PLandroidx/datastore/core/DataStoreImpl;->access$getInternalDataFlow$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/flow/Flow; +PLandroidx/datastore/core/DataStoreImpl;->access$getReadAndInit$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/DataStoreImpl$InitDataStore; PLandroidx/datastore/core/DataStoreImpl;->access$getStorage$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/Storage; -PLandroidx/datastore/core/DataStoreImpl;->access$getUpdateCollector$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/Job; +PLandroidx/datastore/core/DataStoreImpl;->access$getUpdateCollection$p(Landroidx/datastore/core/DataStoreImpl;)Lkotlinx/coroutines/flow/SharedFlow; +PLandroidx/datastore/core/DataStoreImpl;->access$getWriteActor$p(Landroidx/datastore/core/DataStoreImpl;)Landroidx/datastore/core/SimpleActor; PLandroidx/datastore/core/DataStoreImpl;->access$handleUpdate(Landroidx/datastore/core/DataStoreImpl;Landroidx/datastore/core/Message$Update;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->access$readAndInitOrPropagateAndThrowFailure(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->access$readDataAndUpdateCache(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl;->access$readDataFromFileOrDefault(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl;->access$readDataOrHandleCorruption(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->access$readState(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl;->access$setUpdateCollector$p(Landroidx/datastore/core/DataStoreImpl;Lkotlinx/coroutines/Job;)V PLandroidx/datastore/core/DataStoreImpl;->getCoordinator()Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/DataStoreImpl;->getData()Lkotlinx/coroutines/flow/Flow; PLandroidx/datastore/core/DataStoreImpl;->getStorageConnection$datastore_core_release()Landroidx/datastore/core/StorageConnection; @@ -11717,6 +11728,7 @@ PLandroidx/datastore/core/DataStoreImpl;->handleUpdate(Landroidx/datastore/core/ PLandroidx/datastore/core/DataStoreImpl;->readAndInitOrPropagateAndThrowFailure(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->readDataAndUpdateCache(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->readDataFromFileOrDefault(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl;->readDataOrHandleCorruption(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->readState(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->transformAndWrite(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl;->updateData(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -11725,16 +11737,10 @@ PLandroidx/datastore/core/DataStoreImpl$Companion;->()V PLandroidx/datastore/core/DataStoreImpl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->(Landroidx/datastore/core/DataStoreImpl;Ljava/util/List;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->access$getInitTasks$p(Landroidx/datastore/core/DataStoreImpl$InitDataStore;)Ljava/util/List; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->access$readDataOrHandleCorruption(Landroidx/datastore/core/DataStoreImpl$InitDataStore;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->access$setInitTasks$p(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Ljava/util/List;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->doRun(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore;->readDataOrHandleCorruption(ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Lkotlin/coroutines/Continuation;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$2$1;->(Landroidx/datastore/core/DataStoreImpl;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->(Landroidx/datastore/core/DataStoreImpl;Landroidx/datastore/core/DataStoreImpl$InitDataStore;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -11742,33 +11748,78 @@ PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1;->invokeS PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1;->(Lkotlinx/coroutines/sync/Mutex;Lkotlin/jvm/internal/Ref$BooleanRef;Lkotlin/jvm/internal/Ref$ObjectRef;Landroidx/datastore/core/DataStoreImpl;)V PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1;->updateData(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1$updateData$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore$doRun$initData$1$api$1;Lkotlin/coroutines/Continuation;)V -PLandroidx/datastore/core/DataStoreImpl$InitDataStore$readDataOrHandleCorruption$1;->(Landroidx/datastore/core/DataStoreImpl$InitDataStore;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$coordinator$2;->(Landroidx/datastore/core/DataStoreImpl;)V PLandroidx/datastore/core/DataStoreImpl$coordinator$2;->invoke()Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/DataStoreImpl$coordinator$2;->invoke()Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$data$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$data$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$data$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$data$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1;->invoke(Lkotlinx/coroutines/channels/ProducerScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$data$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->(Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->(Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$3;->(Lkotlinx/coroutines/channels/ProducerScope;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$3;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1$1;->()V +PLandroidx/datastore/core/DataStoreImpl$data$1$updateCollector$1$1;->()V PLandroidx/datastore/core/DataStoreImpl$handleUpdate$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$handleUpdate$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->(Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->invoke(Landroidx/datastore/core/State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->(Landroidx/datastore/core/State;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->invoke(Landroidx/datastore/core/State;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$invokeSuspend$$inlined$map$1;->(Lkotlinx/coroutines/flow/Flow;)V +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$invokeSuspend$$inlined$map$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$internalDataFlow$1$invokeSuspend$$inlined$map$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V PLandroidx/datastore/core/DataStoreImpl$readAndInitOrPropagateAndThrowFailure$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$readDataAndUpdateCache$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$readDataOrHandleCorruption$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$readState$2;->(Landroidx/datastore/core/DataStoreImpl;ZLkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$readState$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$readState$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$storageConnection$2;->(Landroidx/datastore/core/DataStoreImpl;)V -PLandroidx/datastore/core/DataStoreImpl$storageConnection$2;->invoke()Landroidx/datastore/core/StorageConnection; -PLandroidx/datastore/core/DataStoreImpl$storageConnection$2;->invoke()Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$storageConnectionDelegate$1;->(Landroidx/datastore/core/DataStoreImpl;)V +PLandroidx/datastore/core/DataStoreImpl$storageConnectionDelegate$1;->invoke()Landroidx/datastore/core/StorageConnection; +PLandroidx/datastore/core/DataStoreImpl$storageConnectionDelegate$1;->invoke()Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->create(Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->invoke(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; -PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->(Lkotlin/jvm/functions/Function2;Landroidx/datastore/core/Data;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLandroidx/datastore/core/DataStoreImpl$transformAndWrite$2$newData$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateCollection$1$1;->(Landroidx/datastore/core/DataStoreImpl;)V +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->(Landroidx/datastore/core/DataStoreImpl;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLandroidx/datastore/core/DataStoreImpl$updateData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreImpl$writeActor$1;->(Landroidx/datastore/core/DataStoreImpl;)V PLandroidx/datastore/core/DataStoreImpl$writeActor$2;->()V PLandroidx/datastore/core/DataStoreImpl$writeActor$2;->()V @@ -11785,6 +11836,7 @@ PLandroidx/datastore/core/DataStoreImpl$writeData$2;->invoke(Ljava/lang/Object;L PLandroidx/datastore/core/DataStoreImpl$writeData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/DataStoreInMemoryCache;->()V PLandroidx/datastore/core/DataStoreInMemoryCache;->getCurrentState()Landroidx/datastore/core/State; +PLandroidx/datastore/core/DataStoreInMemoryCache;->getFlow()Lkotlinx/coroutines/flow/Flow; PLandroidx/datastore/core/DataStoreInMemoryCache;->tryUpdate(Landroidx/datastore/core/State;)Landroidx/datastore/core/State; PLandroidx/datastore/core/InterProcessCoordinatorKt;->createSingleProcessCoordinator(Ljava/lang/String;)Landroidx/datastore/core/InterProcessCoordinator; PLandroidx/datastore/core/Message;->()V @@ -11794,6 +11846,7 @@ PLandroidx/datastore/core/Message$Update;->getAck()Lkotlinx/coroutines/Completab PLandroidx/datastore/core/Message$Update;->getCallerContext()Lkotlin/coroutines/CoroutineContext; PLandroidx/datastore/core/Message$Update;->getTransform()Lkotlin/jvm/functions/Function2; PLandroidx/datastore/core/RunOnce;->()V +PLandroidx/datastore/core/RunOnce;->awaitComplete(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/RunOnce;->runIfNeeded(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLandroidx/datastore/core/RunOnce$runIfNeeded$1;->(Landroidx/datastore/core/RunOnce;Lkotlin/coroutines/Continuation;)V PLandroidx/datastore/core/SimpleActor;->(Lkotlinx/coroutines/CoroutineScope;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;Lkotlin/jvm/functions/Function2;)V @@ -11828,6 +11881,15 @@ PLandroidx/datastore/core/StorageConnectionKt$readData$2;->invoke(Ljava/lang/Obj PLandroidx/datastore/core/StorageConnectionKt$readData$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/datastore/core/UnInitialized;->()V PLandroidx/datastore/core/UnInitialized;->()V +PLandroidx/datastore/core/UpdatingDataContextElement;->()V +PLandroidx/datastore/core/UpdatingDataContextElement;->(Landroidx/datastore/core/UpdatingDataContextElement;Landroidx/datastore/core/DataStoreImpl;)V +PLandroidx/datastore/core/UpdatingDataContextElement;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; +PLandroidx/datastore/core/UpdatingDataContextElement;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; +PLandroidx/datastore/core/UpdatingDataContextElement;->getKey()Lkotlin/coroutines/CoroutineContext$Key; +PLandroidx/datastore/core/UpdatingDataContextElement$Companion;->()V +PLandroidx/datastore/core/UpdatingDataContextElement$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLandroidx/datastore/core/UpdatingDataContextElement$Companion$Key;->()V +PLandroidx/datastore/core/UpdatingDataContextElement$Companion$Key;->()V PLandroidx/datastore/core/handlers/NoOpCorruptionHandler;->()V PLandroidx/datastore/core/okio/AtomicBoolean;->(Z)V PLandroidx/datastore/core/okio/AtomicBoolean;->get()Z @@ -12243,12 +12305,11 @@ PLandroidx/datastore/preferences/protobuf/WireFormat$JavaType;->values()[Landroi PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->()V PLandroidx/datastore/preferences/protobuf/Writer$FieldOrder;->(Ljava/lang/String;I)V Landroidx/emoji2/text/ConcurrencyHelpers; -HSPLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; -HSPLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; +PLandroidx/emoji2/text/ConcurrencyHelpers;->createBackgroundPriorityExecutor(Ljava/lang/String;)Ljava/util/concurrent/ThreadPoolExecutor; +PLandroidx/emoji2/text/ConcurrencyHelpers;->lambda$createBackgroundPriorityExecutor$0(Ljava/lang/String;Ljava/lang/Runnable;)Ljava/lang/Thread; HSPLandroidx/emoji2/text/ConcurrencyHelpers;->mainHandlerAsync()Landroid/os/Handler; -Landroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0; -HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->(Ljava/lang/String;)V -HSPLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; +PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda1;->(Ljava/lang/String;)V +PLandroidx/emoji2/text/ConcurrencyHelpers$$ExternalSyntheticLambda1;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; Landroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl; HSPLandroidx/emoji2/text/ConcurrencyHelpers$Handler28Impl;->createAsync(Landroid/os/Looper;)Landroid/os/Handler; PLandroidx/emoji2/text/DefaultEmojiCompatConfig;->create(Landroid/content/Context;)Landroidx/emoji2/text/FontRequestEmojiCompatConfig; @@ -12272,19 +12333,18 @@ HSPLandroidx/emoji2/text/EmojiCompat;->get()Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->getLoadState()I HSPLandroidx/emoji2/text/EmojiCompat;->init(Landroidx/emoji2/text/EmojiCompat$Config;)Landroidx/emoji2/text/EmojiCompat; HSPLandroidx/emoji2/text/EmojiCompat;->isConfigured()Z -HSPLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z -HSPLandroidx/emoji2/text/EmojiCompat;->load()V +PLandroidx/emoji2/text/EmojiCompat;->isInitialized()Z +PLandroidx/emoji2/text/EmojiCompat;->load()V HSPLandroidx/emoji2/text/EmojiCompat;->loadMetadata()V -HSPLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V +PLandroidx/emoji2/text/EmojiCompat;->onMetadataLoadFailed(Ljava/lang/Throwable;)V HSPLandroidx/emoji2/text/EmojiCompat;->registerInitCallback(Landroidx/emoji2/text/EmojiCompat$InitCallback;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal;->(Landroidx/emoji2/text/EmojiCompat;)V Landroidx/emoji2/text/EmojiCompat$CompatInternal19; HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->(Landroidx/emoji2/text/EmojiCompat;)V -HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V -Landroidx/emoji2/text/EmojiCompat$CompatInternal19$1; -HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V -HSPLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V +PLandroidx/emoji2/text/EmojiCompat$CompatInternal19;->loadMetadata()V +PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->(Landroidx/emoji2/text/EmojiCompat$CompatInternal19;)V +PLandroidx/emoji2/text/EmojiCompat$CompatInternal19$1;->onFailed(Ljava/lang/Throwable;)V Landroidx/emoji2/text/EmojiCompat$Config; HSPLandroidx/emoji2/text/EmojiCompat$Config;->(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader;)V HSPLandroidx/emoji2/text/EmojiCompat$Config;->setMetadataLoadStrategy(I)Landroidx/emoji2/text/EmojiCompat$Config; @@ -12296,8 +12356,7 @@ HSPLandroidx/emoji2/text/EmojiCompat$InitCallback;->()V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->(Ljava/util/Collection;ILjava/lang/Throwable;)V PLandroidx/emoji2/text/EmojiCompat$ListenerDispatcher;->run()V Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoader; -Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback; -HSPLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V +PLandroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;->()V Landroidx/emoji2/text/EmojiCompat$SpanFactory; Landroidx/emoji2/text/EmojiCompatInitializer; HSPLandroidx/emoji2/text/EmojiCompatInitializer;->()V @@ -12313,15 +12372,14 @@ Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultConfig;->(Landroid/content/Context;)V Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader; HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->(Landroid/content/Context;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V -Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0; -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->doLoad(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->lambda$load$0$androidx-emoji2-text-EmojiCompatInitializer$BackgroundDefaultLoader(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;->load(Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->(Landroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader;Landroidx/emoji2/text/EmojiCompat$MetadataRepoLoaderCallback;Ljava/util/concurrent/ThreadPoolExecutor;)V +PLandroidx/emoji2/text/EmojiCompatInitializer$BackgroundDefaultLoader$$ExternalSyntheticLambda0;->run()V Landroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable; HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->()V -HSPLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V +PLandroidx/emoji2/text/EmojiCompatInitializer$LoadEmojiCompatRunnable;->run()V Landroidx/fragment/app/FragmentActivity; HSPLandroidx/fragment/app/FragmentActivity;->()V HSPLandroidx/fragment/app/FragmentActivity;->dispatchFragmentsOnCreateView(Landroid/view/View;Ljava/lang/String;Landroid/content/Context;Landroid/util/AttributeSet;)Landroid/view/View; @@ -12699,7 +12757,7 @@ HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner;->set(Landroid/view/View;Land Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->()V -HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; +HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Landroid/view/View;)Landroid/view/View; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2; HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->()V @@ -12708,7 +12766,7 @@ HPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwne HSPLandroidx/lifecycle/ViewTreeViewModelStoreOwner$findViewTreeViewModelStoreOwner$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Landroidx/lifecycle/runtime/R$id; Landroidx/lifecycle/viewmodel/CreationExtras; -HSPLandroidx/lifecycle/viewmodel/CreationExtras;->()V +HPLandroidx/lifecycle/viewmodel/CreationExtras;->()V HSPLandroidx/lifecycle/viewmodel/CreationExtras;->getMap$lifecycle_viewmodel_release()Ljava/util/Map; Landroidx/lifecycle/viewmodel/CreationExtras$Empty; HSPLandroidx/lifecycle/viewmodel/CreationExtras$Empty;->()V @@ -12808,7 +12866,7 @@ Landroidx/savedstate/Recreator$Companion; HSPLandroidx/savedstate/Recreator$Companion;->()V HSPLandroidx/savedstate/Recreator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Landroidx/savedstate/SavedStateRegistry; -HSPLandroidx/savedstate/SavedStateRegistry;->$r8$lambda$AUDDdpkzZrJMhBj0r-_9pI-j6hA(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V +HSPLandroidx/savedstate/SavedStateRegistry;->$r8$lambda$eDF1FsaoUa1afQFv2y5LNvCkYm4(Landroidx/savedstate/SavedStateRegistry;Landroidx/lifecycle/LifecycleOwner;Landroidx/lifecycle/Lifecycle$Event;)V HSPLandroidx/savedstate/SavedStateRegistry;->()V HSPLandroidx/savedstate/SavedStateRegistry;->()V HSPLandroidx/savedstate/SavedStateRegistry;->consumeRestoredStateForKey(Ljava/lang/String;)Landroid/os/Bundle; @@ -12879,7 +12937,7 @@ HSPLandroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration$Companion;->( HSPLandroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration$Companion;->builder(Landroid/content/Context;)Landroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration$Builder; Landroidx/sqlite/db/SupportSQLiteOpenHelper$Factory; Landroidx/sqlite/db/SupportSQLiteQuery; -PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->$r8$lambda$xWs7VTYEzeAWyi_2-SJixQ1HyKQ(Lkotlin/jvm/functions/Function4;Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; +PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->$r8$lambda$nsMcCVLiqxDRAAOcFblmRGCM9fk(Lkotlin/jvm/functions/Function4;Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->()V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->(Landroid/database/sqlite/SQLiteDatabase;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->beginTransactionNonExclusive()V @@ -12887,7 +12945,7 @@ PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->compileStatement(Ljava/ PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->endTransaction()V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->isDelegate(Landroid/database/sqlite/SQLiteDatabase;)Z PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->query$lambda$0(Lkotlin/jvm/functions/Function4;Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; -HPLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->query(Landroidx/sqlite/db/SupportSQLiteQuery;)Landroid/database/Cursor; +PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->query(Landroidx/sqlite/db/SupportSQLiteQuery;)Landroid/database/Cursor; PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase;->setTransactionSuccessful()V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase$$ExternalSyntheticLambda1;->(Lkotlin/jvm/functions/Function4;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteDatabase$$ExternalSyntheticLambda1;->newCursor(Landroid/database/sqlite/SQLiteDatabase;Landroid/database/sqlite/SQLiteCursorDriver;Ljava/lang/String;Landroid/database/sqlite/SQLiteQuery;)Landroid/database/Cursor; @@ -12940,7 +12998,6 @@ HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->()V HSPLandroidx/sqlite/db/framework/FrameworkSQLiteOpenHelperFactory;->create(Landroidx/sqlite/db/SupportSQLiteOpenHelper$Configuration;)Landroidx/sqlite/db/SupportSQLiteOpenHelper; PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->(Landroid/database/sqlite/SQLiteProgram;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindLong(IJ)V -PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindNull(I)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->bindString(ILjava/lang/String;)V PLandroidx/sqlite/db/framework/FrameworkSQLiteProgram;->close()V PLandroidx/sqlite/db/framework/FrameworkSQLiteStatement;->(Landroid/database/sqlite/SQLiteStatement;)V @@ -12975,6 +13032,7 @@ Landroidx/tracing/Trace; HSPLandroidx/tracing/Trace;->beginSection(Ljava/lang/String;)V HSPLandroidx/tracing/Trace;->endSection()V HSPLandroidx/tracing/Trace;->isEnabled()Z +HSPLandroidx/tracing/Trace;->truncatedTraceSectionLabel(Ljava/lang/String;)Ljava/lang/String; Landroidx/tracing/TraceApi18Impl; HSPLandroidx/tracing/TraceApi18Impl;->beginSection(Ljava/lang/String;)V HSPLandroidx/tracing/TraceApi18Impl;->endSection()V @@ -13004,6 +13062,7 @@ Landroidx/vectordrawable/graphics/drawable/VectorDrawableCompat; PLandroidx/window/core/Bounds;->(IIII)V PLandroidx/window/core/Bounds;->(Landroid/graphics/Rect;)V PLandroidx/window/core/Bounds;->toRect()Landroid/graphics/Rect; +PLandroidx/window/layout/WindowMetrics;->(Landroid/graphics/Rect;Landroidx/core/view/WindowInsetsCompat;)V PLandroidx/window/layout/WindowMetrics;->(Landroidx/window/core/Bounds;Landroidx/core/view/WindowInsetsCompat;)V PLandroidx/window/layout/WindowMetrics;->getBounds()Landroid/graphics/Rect; PLandroidx/window/layout/WindowMetricsCalculator;->()V @@ -13016,16 +13075,14 @@ PLandroidx/window/layout/WindowMetricsCalculator$Companion$decorator$1;->invoke( PLandroidx/window/layout/WindowMetricsCalculator$Companion$decorator$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLandroidx/window/layout/WindowMetricsCalculatorCompat;->()V PLandroidx/window/layout/WindowMetricsCalculatorCompat;->()V -PLandroidx/window/layout/WindowMetricsCalculatorCompat;->computeCurrentWindowMetrics(Landroid/app/Activity;)Landroidx/window/layout/WindowMetrics; -PLandroidx/window/layout/WindowMetricsCalculatorCompat;->computeWindowInsetsCompat$window_release(Landroid/content/Context;)Landroidx/core/view/WindowInsetsCompat; +PLandroidx/window/layout/WindowMetricsCalculatorCompat;->computeCurrentWindowMetrics(Landroid/content/Context;)Landroidx/window/layout/WindowMetrics; PLandroidx/window/layout/util/ContextCompatHelperApi30;->()V PLandroidx/window/layout/util/ContextCompatHelperApi30;->()V -PLandroidx/window/layout/util/ContextCompatHelperApi30;->currentWindowBounds(Landroid/content/Context;)Landroid/graphics/Rect; -PLandroidx/window/layout/util/ContextCompatHelperApi30;->currentWindowInsets(Landroid/content/Context;)Landroidx/core/view/WindowInsetsCompat; +PLandroidx/window/layout/util/ContextCompatHelperApi30;->currentWindowMetrics(Landroid/content/Context;)Landroidx/window/layout/WindowMetrics; Lapp/cash/sqldelight/BaseTransacterImpl; HSPLapp/cash/sqldelight/BaseTransacterImpl;->(Lapp/cash/sqldelight/db/SqlDriver;)V HSPLapp/cash/sqldelight/BaseTransacterImpl;->getDriver()Lapp/cash/sqldelight/db/SqlDriver; -PLapp/cash/sqldelight/BaseTransacterImpl;->notifyQueries(ILkotlin/jvm/functions/Function1;)V +HPLapp/cash/sqldelight/BaseTransacterImpl;->notifyQueries(ILkotlin/jvm/functions/Function1;)V PLapp/cash/sqldelight/BaseTransacterImpl;->postTransactionCleanup(Lapp/cash/sqldelight/Transacter$Transaction;Lapp/cash/sqldelight/Transacter$Transaction;Ljava/lang/Throwable;Ljava/lang/Object;)Ljava/lang/Object; PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->(Lapp/cash/sqldelight/Transacter$Transaction;)V PLapp/cash/sqldelight/BaseTransacterImpl$notifyQueries$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -13040,7 +13097,7 @@ PLapp/cash/sqldelight/EnumColumnAdapter;->encode(Ljava/lang/Object;)Ljava/lang/O Lapp/cash/sqldelight/ExecutableQuery; HSPLapp/cash/sqldelight/ExecutableQuery;->(Lkotlin/jvm/functions/Function1;)V HSPLapp/cash/sqldelight/ExecutableQuery;->executeAsOneOrNull()Ljava/lang/Object; -PLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; +HPLapp/cash/sqldelight/ExecutableQuery;->getMapper()Lkotlin/jvm/functions/Function1; Lapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1; HSPLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->(Lapp/cash/sqldelight/ExecutableQuery;)V PLapp/cash/sqldelight/ExecutableQuery$executeAsOneOrNull$1;->invoke(Lapp/cash/sqldelight/db/SqlCursor;)Lapp/cash/sqldelight/db/QueryResult; @@ -13084,7 +13141,7 @@ Lapp/cash/sqldelight/coroutines/FlowQuery; HSPLapp/cash/sqldelight/coroutines/FlowQuery;->mapToList(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/CoroutineContext;)Lkotlinx/coroutines/flow/Flow; HSPLapp/cash/sqldelight/coroutines/FlowQuery;->toFlow(Lapp/cash/sqldelight/Query;)Lkotlinx/coroutines/flow/Flow; Lapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1; -PLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->$r8$lambda$DwKGDn02FLafAATqIqUBejoElM4(Lkotlinx/coroutines/channels/Channel;)V +PLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->$r8$lambda$UowH1OliiH7e420FIyURFFIXBow(Lkotlinx/coroutines/channels/Channel;)V HSPLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->(Lapp/cash/sqldelight/Query;Lkotlin/coroutines/Continuation;)V HSPLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HSPLapp/cash/sqldelight/coroutines/FlowQuery$asFlow$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -13115,9 +13172,9 @@ PLapp/cash/sqldelight/db/QueryResult$Companion;->getUnit-mlR-ZEE()Ljava/lang/Obj HPLapp/cash/sqldelight/db/QueryResult$Value;->(Ljava/lang/Object;)V PLapp/cash/sqldelight/db/QueryResult$Value;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLapp/cash/sqldelight/db/QueryResult$Value;->await-impl(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; +HPLapp/cash/sqldelight/db/QueryResult$Value;->box-impl(Ljava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult$Value; PLapp/cash/sqldelight/db/QueryResult$Value;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HPLapp/cash/sqldelight/db/QueryResult$Value;->getValue()Ljava/lang/Object; +PLapp/cash/sqldelight/db/QueryResult$Value;->getValue()Ljava/lang/Object; Lapp/cash/sqldelight/db/SqlDriver; PLapp/cash/sqldelight/db/SqlDriver$DefaultImpls;->execute$default(Lapp/cash/sqldelight/db/SqlDriver;Ljava/lang/Integer;Ljava/lang/String;ILkotlin/jvm/functions/Function1;ILjava/lang/Object;)Lapp/cash/sqldelight/db/QueryResult; Lapp/cash/sqldelight/db/SqlPreparedStatement; @@ -13126,7 +13183,7 @@ PLapp/cash/sqldelight/driver/android/AndroidCursor;->(Landroid/database/Cu HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getLong(I)Ljava/lang/Long; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->getString(I)Ljava/lang/String; HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next()Lapp/cash/sqldelight/db/QueryResult; -HPLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; +PLapp/cash/sqldelight/driver/android/AndroidCursor;->next-mlR-ZEE()Ljava/lang/Object; PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->(Landroidx/sqlite/db/SupportSQLiteStatement;)V PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->bindLong(ILjava/lang/Long;)V PLapp/cash/sqldelight/driver/android/AndroidPreparedStatement;->bindString(ILjava/lang/String;)V @@ -13221,7 +13278,7 @@ PLcoil3/ComponentRegistry;->getMappers()Ljava/util/List; HPLcoil3/ComponentRegistry;->map(Ljava/lang/Object;Lcoil3/request/Options;)Ljava/lang/Object; PLcoil3/ComponentRegistry;->newBuilder()Lcoil3/ComponentRegistry$Builder; PLcoil3/ComponentRegistry;->newDecoder(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;I)Lkotlin/Pair; -PLcoil3/ComponentRegistry;->newFetcher(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;I)Lkotlin/Pair; +HPLcoil3/ComponentRegistry;->newFetcher(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;I)Lkotlin/Pair; PLcoil3/ComponentRegistry$Builder;->()V PLcoil3/ComponentRegistry$Builder;->(Lcoil3/ComponentRegistry;)V PLcoil3/ComponentRegistry$Builder;->add(Lcoil3/decode/Decoder$Factory;)Lcoil3/ComponentRegistry$Builder; @@ -13263,7 +13320,7 @@ PLcoil3/EventListener;->resolveSizeStart(Lcoil3/request/ImageRequest;)V PLcoil3/EventListener$Companion;->()V PLcoil3/EventListener$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/EventListener$Companion$NONE$1;->()V -PLcoil3/EventListener$Factory;->$r8$lambda$8vxhu_aBIODFtNIDhNt-i_pYSvg(Lcoil3/request/ImageRequest;)Lcoil3/EventListener; +PLcoil3/EventListener$Factory;->$r8$lambda$JrWyPe5ABdBICw-G4OuUEopPIF4(Lcoil3/request/ImageRequest;)Lcoil3/EventListener; PLcoil3/EventListener$Factory;->()V PLcoil3/EventListener$Factory;->NONE$lambda$0(Lcoil3/request/ImageRequest;)Lcoil3/EventListener; PLcoil3/EventListener$Factory$$ExternalSyntheticLambda0;->()V @@ -13272,7 +13329,7 @@ PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/EventListener$Factory$Companion;->()V PLcoil3/Extras;->()V HPLcoil3/Extras;->(Ljava/util/Map;)V -HPLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLcoil3/Extras;->(Ljava/util/Map;Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras;->access$getData$p(Lcoil3/Extras;)Ljava/util/Map; PLcoil3/Extras;->asMap()Ljava/util/Map; HPLcoil3/Extras;->get(Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -13285,7 +13342,7 @@ PLcoil3/Extras$Companion;->()V PLcoil3/Extras$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/Extras$Key;->()V PLcoil3/Extras$Key;->(Ljava/lang/Object;)V -HPLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; +PLcoil3/Extras$Key;->getDefault()Ljava/lang/Object; PLcoil3/Extras$Key$Companion;->()V PLcoil3/Extras$Key$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLcoil3/ExtrasKt;->getExtra(Lcoil3/request/ImageRequest;Lcoil3/Extras$Key;)Ljava/lang/Object; @@ -13493,23 +13550,27 @@ HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1;->c PLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->(Lkotlinx/coroutines/flow/FlowCollector;)V HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2$1;->(Lcoil3/compose/internal/ConstraintsSizeResolver$size$$inlined$mapNotNull$1$2;Lkotlin/coroutines/Continuation;)V -PLcoil3/compose/internal/ContentPainterModifier;->()V -HPLcoil3/compose/internal/ContentPainterModifier;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V -HPLcoil3/compose/internal/ContentPainterModifier;->calculateScaledSize-E7KxVPU(J)J -HPLcoil3/compose/internal/ContentPainterModifier;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V -HPLcoil3/compose/internal/ContentPainterModifier;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; -HPLcoil3/compose/internal/ContentPainterModifier;->modifyConstraints-ZezNO4M(J)J -PLcoil3/compose/internal/ContentPainterModifier$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V -PLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V -HPLcoil3/compose/internal/ContentPainterModifier$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/compose/internal/ContentPainterElement;->()V +HPLcoil3/compose/internal/ContentPainterElement;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +PLcoil3/compose/internal/ContentPainterElement;->create()Landroidx/compose/ui/Modifier$Node; +HPLcoil3/compose/internal/ContentPainterElement;->create()Lcoil3/compose/internal/ContentPainterNode; +PLcoil3/compose/internal/ContentPainterNode;->()V +HPLcoil3/compose/internal/ContentPainterNode;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/Alignment;Landroidx/compose/ui/layout/ContentScale;FLandroidx/compose/ui/graphics/ColorFilter;)V +HPLcoil3/compose/internal/ContentPainterNode;->calculateScaledSize-E7KxVPU(J)J +HPLcoil3/compose/internal/ContentPainterNode;->draw(Landroidx/compose/ui/graphics/drawscope/ContentDrawScope;)V +HPLcoil3/compose/internal/ContentPainterNode;->measure-3p2s80s(Landroidx/compose/ui/layout/MeasureScope;Landroidx/compose/ui/layout/Measurable;J)Landroidx/compose/ui/layout/MeasureResult; +HPLcoil3/compose/internal/ContentPainterNode;->modifyConstraints-ZezNO4M(J)J +PLcoil3/compose/internal/ContentPainterNode$measure$1;->(Landroidx/compose/ui/layout/Placeable;)V +PLcoil3/compose/internal/ContentPainterNode$measure$1;->invoke(Landroidx/compose/ui/layout/Placeable$PlacementScope;)V +HPLcoil3/compose/internal/ContentPainterNode$measure$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/compose/internal/CrossfadePainter;->()V PLcoil3/compose/internal/CrossfadePainter;->(Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/graphics/painter/Painter;Landroidx/compose/ui/layout/ContentScale;IZZ)V -PLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J +HPLcoil3/compose/internal/CrossfadePainter;->computeDrawSize-x8L_9b0(JJ)J HPLcoil3/compose/internal/CrossfadePainter;->computeIntrinsicSize-NH-jbRc()J HPLcoil3/compose/internal/CrossfadePainter;->drawPainter(Landroidx/compose/ui/graphics/drawscope/DrawScope;Landroidx/compose/ui/graphics/painter/Painter;F)V -PLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; +HPLcoil3/compose/internal/CrossfadePainter;->getColorFilter()Landroidx/compose/ui/graphics/ColorFilter; PLcoil3/compose/internal/CrossfadePainter;->getIntrinsicSize-NH-jbRc()J -PLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I +HPLcoil3/compose/internal/CrossfadePainter;->getInvalidateTick()I PLcoil3/compose/internal/CrossfadePainter;->getMaxAlpha()F HPLcoil3/compose/internal/CrossfadePainter;->onDraw(Landroidx/compose/ui/graphics/drawscope/DrawScope;)V PLcoil3/compose/internal/CrossfadePainter;->setInvalidateTick(I)V @@ -13556,7 +13617,6 @@ HPLcoil3/decode/StaticImageDecoder;->decode(Lkotlin/coroutines/Continuation;)Lja PLcoil3/decode/StaticImageDecoder$Factory;->(Lkotlinx/coroutines/sync/Semaphore;)V PLcoil3/decode/StaticImageDecoder$Factory;->create(Lcoil3/fetch/SourceFetchResult;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/decode/Decoder; PLcoil3/decode/StaticImageDecoder$decode$1;->(Lcoil3/decode/StaticImageDecoder;Lkotlin/coroutines/Continuation;)V -PLcoil3/decode/StaticImageDecoder$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->(Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/decode/StaticImageDecoder;Lkotlin/jvm/internal/Ref$BooleanRef;)V HPLcoil3/decode/StaticImageDecoder$decode$lambda$3$$inlined$decodeBitmap$1;->onHeaderDecoded(Landroid/graphics/ImageDecoder;Landroid/graphics/ImageDecoder$ImageInfo;Landroid/graphics/ImageDecoder$Source;)V PLcoil3/decode/StaticImageDecoderKt;->access$imageDecoderSourceOrNull(Lcoil3/decode/ImageSource;Lcoil3/request/Options;)Landroid/graphics/ImageDecoder$Source; @@ -13575,7 +13635,7 @@ PLcoil3/disk/DiskLruCache;->access$getLock$p(Lcoil3/disk/DiskLruCache;)Ljava/lan PLcoil3/disk/DiskLruCache;->access$getValueCount$p(Lcoil3/disk/DiskLruCache;)I PLcoil3/disk/DiskLruCache;->checkNotClosed()V HPLcoil3/disk/DiskLruCache;->completeEdit(Lcoil3/disk/DiskLruCache$Editor;Z)V -HPLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; +PLcoil3/disk/DiskLruCache;->edit(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Editor; HPLcoil3/disk/DiskLruCache;->get(Ljava/lang/String;)Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache;->initialize()V PLcoil3/disk/DiskLruCache;->journalRewriteRequired()Z @@ -13588,7 +13648,7 @@ PLcoil3/disk/DiskLruCache$Editor;->(Lcoil3/disk/DiskLruCache;Lcoil3/disk/D PLcoil3/disk/DiskLruCache$Editor;->commit()V PLcoil3/disk/DiskLruCache$Editor;->commitAndGet()Lcoil3/disk/DiskLruCache$Snapshot; PLcoil3/disk/DiskLruCache$Editor;->complete(Z)V -HPLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; +PLcoil3/disk/DiskLruCache$Editor;->file(I)Lokio/Path; PLcoil3/disk/DiskLruCache$Editor;->getEntry()Lcoil3/disk/DiskLruCache$Entry; PLcoil3/disk/DiskLruCache$Editor;->getWritten()[Z HPLcoil3/disk/DiskLruCache$Entry;->(Lcoil3/disk/DiskLruCache;Ljava/lang/String;)V @@ -13644,11 +13704,12 @@ PLcoil3/fetch/SourceFetchResult;->(Lcoil3/decode/ImageSource;Ljava/lang/St PLcoil3/fetch/SourceFetchResult;->getDataSource()Lcoil3/decode/DataSource; PLcoil3/fetch/SourceFetchResult;->getSource()Lcoil3/decode/ImageSource; PLcoil3/intercept/EngineInterceptor;->()V -PLcoil3/intercept/EngineInterceptor;->(Lcoil3/ImageLoader;Lcoil3/request/RequestService;Lcoil3/util/Logger;)V +PLcoil3/intercept/EngineInterceptor;->(Lcoil3/ImageLoader;Lcoil3/util/SystemCallbacks;Lcoil3/request/RequestService;Lcoil3/util/Logger;)V PLcoil3/intercept/EngineInterceptor;->access$decode(Lcoil3/intercept/EngineInterceptor;Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$execute(Lcoil3/intercept/EngineInterceptor;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$fetch(Lcoil3/intercept/EngineInterceptor;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor;->access$getMemoryCacheService$p(Lcoil3/intercept/EngineInterceptor;)Lcoil3/memory/MemoryCacheService; +PLcoil3/intercept/EngineInterceptor;->access$getSystemCallbacks$p(Lcoil3/intercept/EngineInterceptor;)Lcoil3/util/SystemCallbacks; HPLcoil3/intercept/EngineInterceptor;->decode(Lcoil3/fetch/SourceFetchResult;Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->execute(Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/intercept/EngineInterceptor;->fetch(Lcoil3/ComponentRegistry;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -13661,14 +13722,13 @@ PLcoil3/intercept/EngineInterceptor$ExecuteResult;->getDiskCacheKey()Ljava/lang/ PLcoil3/intercept/EngineInterceptor$ExecuteResult;->getImage()Lcoil3/Image; PLcoil3/intercept/EngineInterceptor$ExecuteResult;->isSampled()Z PLcoil3/intercept/EngineInterceptor$decode$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V -PLcoil3/intercept/EngineInterceptor$decode$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/request/ImageRequest;Ljava/lang/Object;Lkotlin/jvm/internal/Ref$ObjectRef;Lcoil3/EventListener;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLcoil3/intercept/EngineInterceptor$execute$executeResult$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$fetch$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V PLcoil3/intercept/EngineInterceptor$fetch$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLcoil3/intercept/EngineInterceptor$intercept$1;->(Lcoil3/intercept/EngineInterceptor;Lkotlin/coroutines/Continuation;)V @@ -13717,7 +13777,7 @@ PLcoil3/memory/MemoryCache$Value;->getImage()Lcoil3/Image; PLcoil3/memory/MemoryCacheService;->()V PLcoil3/memory/MemoryCacheService;->(Lcoil3/ImageLoader;Lcoil3/request/RequestService;Lcoil3/util/Logger;)V HPLcoil3/memory/MemoryCacheService;->getCacheValue(Lcoil3/request/ImageRequest;Lcoil3/memory/MemoryCache$Key;Lcoil3/size/Size;Lcoil3/size/Scale;)Lcoil3/memory/MemoryCache$Value; -HPLcoil3/memory/MemoryCacheService;->getDiskCacheKey(Lcoil3/memory/MemoryCache$Value;)Ljava/lang/String; +PLcoil3/memory/MemoryCacheService;->getDiskCacheKey(Lcoil3/memory/MemoryCache$Value;)Ljava/lang/String; PLcoil3/memory/MemoryCacheService;->isCacheValueValid$coil_core_release(Lcoil3/request/ImageRequest;Lcoil3/memory/MemoryCache$Key;Lcoil3/memory/MemoryCache$Value;Lcoil3/size/Size;Lcoil3/size/Scale;)Z HPLcoil3/memory/MemoryCacheService;->isSampled(Lcoil3/memory/MemoryCache$Value;)Z HPLcoil3/memory/MemoryCacheService;->isSizeValid(Lcoil3/request/ImageRequest;Lcoil3/memory/MemoryCache$Key;Lcoil3/memory/MemoryCache$Value;Lcoil3/size/Size;Lcoil3/size/Scale;)Z @@ -13760,18 +13820,18 @@ PLcoil3/network/NetworkFetcher;->access$getUrl$p(Lcoil3/network/NetworkFetcher;) PLcoil3/network/NetworkFetcher;->access$toCacheResponse(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; PLcoil3/network/NetworkFetcher;->access$toImageSource(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; PLcoil3/network/NetworkFetcher;->access$writeToDiskCache(Lcoil3/network/NetworkFetcher;Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLcoil3/network/NetworkFetcher;->executeNetworkRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/NetworkFetcher;->executeNetworkRequest(Lcoil3/network/NetworkRequest;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLcoil3/network/NetworkFetcher;->fetch(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/NetworkFetcher;->getDiskCacheKey()Ljava/lang/String; PLcoil3/network/NetworkFetcher;->getFileSystem()Lokio/FileSystem; PLcoil3/network/NetworkFetcher;->getMimeType$coil_network_core_release(Ljava/lang/String;Ljava/lang/String;)Ljava/lang/String; -PLcoil3/network/NetworkFetcher;->newRequest()Lcoil3/network/NetworkRequest; +HPLcoil3/network/NetworkFetcher;->newRequest()Lcoil3/network/NetworkRequest; PLcoil3/network/NetworkFetcher;->readFromDiskCache()Lcoil3/disk/DiskCache$Snapshot; PLcoil3/network/NetworkFetcher;->toCacheResponse(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/network/CacheResponse; PLcoil3/network/NetworkFetcher;->toImageSource(Lcoil3/disk/DiskCache$Snapshot;)Lcoil3/decode/ImageSource; HPLcoil3/network/NetworkFetcher;->writeToDiskCache(Lcoil3/disk/DiskCache$Snapshot;Lcoil3/network/CacheResponse;Lcoil3/network/NetworkResponse;Lcoil3/network/NetworkResponseBody;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/NetworkFetcher$Factory;->(Lkotlin/jvm/functions/Function0;Lkotlin/jvm/functions/Function0;)V -PLcoil3/network/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; +HPLcoil3/network/NetworkFetcher$Factory;->create(Lcoil3/Uri;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; PLcoil3/network/NetworkFetcher$Factory;->create(Ljava/lang/Object;Lcoil3/request/Options;Lcoil3/ImageLoader;)Lcoil3/fetch/Fetcher; PLcoil3/network/NetworkFetcher$Factory;->isApplicable(Lcoil3/Uri;)Z PLcoil3/network/NetworkFetcher$Factory$create$1;->(Lcoil3/ImageLoader;)V @@ -13800,7 +13860,7 @@ PLcoil3/network/NetworkHeaders;->get(Ljava/lang/String;)Ljava/lang/String; PLcoil3/network/NetworkHeaders;->newBuilder()Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->()V PLcoil3/network/NetworkHeaders$Builder;->(Lcoil3/network/NetworkHeaders;)V -PLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; +HPLcoil3/network/NetworkHeaders$Builder;->add(Ljava/lang/String;Ljava/lang/String;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Builder;->build()Lcoil3/network/NetworkHeaders; PLcoil3/network/NetworkHeaders$Builder;->set(Ljava/lang/String;Ljava/util/List;)Lcoil3/network/NetworkHeaders$Builder; PLcoil3/network/NetworkHeaders$Companion;->()V @@ -13851,7 +13911,7 @@ PLcoil3/network/ktor/internal/UtilsKt$writeTo$2;->invokeSuspend(Ljava/lang/Objec PLcoil3/network/ktor/internal/Utils_commonKt;->access$toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->access$toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->takeFrom(Lio/ktor/http/HeadersBuilder;Lcoil3/network/NetworkHeaders;)V -PLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLcoil3/network/ktor/internal/Utils_commonKt;->toHttpRequestBuilder(Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkHeaders(Lio/ktor/http/Headers;)Lcoil3/network/NetworkHeaders; HPLcoil3/network/ktor/internal/Utils_commonKt;->toNetworkResponse(Lio/ktor/client/statement/HttpResponse;Lcoil3/network/NetworkRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLcoil3/network/ktor/internal/Utils_commonKt$toHttpRequestBuilder$1;->(Lkotlin/coroutines/Continuation;)V @@ -13875,11 +13935,12 @@ HPLcoil3/request/AndroidRequestService;->options(Lcoil3/request/ImageRequest;Lco HPLcoil3/request/AndroidRequestService;->requestDelegate(Lcoil3/request/ImageRequest;Lkotlinx/coroutines/Job;)Lcoil3/request/RequestDelegate; HPLcoil3/request/AndroidRequestService;->resolveExtras(Lcoil3/request/ImageRequest;Lcoil3/size/Size;)Lcoil3/Extras; HPLcoil3/request/AndroidRequestService;->resolveLifecycle(Lcoil3/request/ImageRequest;)Landroidx/lifecycle/Lifecycle; -PLcoil3/request/AndroidRequestService;->resolveNetworkCachePolicy(Lcoil3/request/ImageRequest;)Lcoil3/request/CachePolicy; HPLcoil3/request/AndroidRequestService;->resolveScale(Lcoil3/request/ImageRequest;Lcoil3/size/Size;)Lcoil3/size/Scale; PLcoil3/request/AndroidRequestService;->updateOptionsOnWorkerThread(Lcoil3/request/Options;)Lcoil3/request/Options; PLcoil3/request/BaseRequestDelegate;->(Landroidx/lifecycle/Lifecycle;Lkotlinx/coroutines/Job;)V PLcoil3/request/BaseRequestDelegate;->complete()V +PLcoil3/request/BaseRequestDelegate;->dispose()V +PLcoil3/request/BaseRequestDelegate;->onDestroy(Landroidx/lifecycle/LifecycleOwner;)V PLcoil3/request/BaseRequestDelegate;->start()V PLcoil3/request/CachePolicy;->$values()[Lcoil3/request/CachePolicy; PLcoil3/request/CachePolicy;->()V @@ -13892,7 +13953,7 @@ PLcoil3/request/ImageRequest;->equals(Ljava/lang/Object;)Z HPLcoil3/request/ImageRequest;->getContext()Landroid/content/Context; HPLcoil3/request/ImageRequest;->getData()Ljava/lang/Object; PLcoil3/request/ImageRequest;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -PLcoil3/request/ImageRequest;->getDecoderFactory()Lcoil3/decode/Decoder$Factory; +HPLcoil3/request/ImageRequest;->getDecoderFactory()Lcoil3/decode/Decoder$Factory; HPLcoil3/request/ImageRequest;->getDefaults()Lcoil3/request/ImageRequest$Defaults; HPLcoil3/request/ImageRequest;->getDefined()Lcoil3/request/ImageRequest$Defined; HPLcoil3/request/ImageRequest;->getDiskCacheKey()Ljava/lang/String; @@ -13903,7 +13964,7 @@ PLcoil3/request/ImageRequest;->getFetcherFactory()Lkotlin/Pair; HPLcoil3/request/ImageRequest;->getFileSystem()Lokio/FileSystem; PLcoil3/request/ImageRequest;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest;->getListener()Lcoil3/request/ImageRequest$Listener; -PLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; +HPLcoil3/request/ImageRequest;->getMemoryCacheKey()Ljava/lang/String; HPLcoil3/request/ImageRequest;->getMemoryCacheKeyExtras()Ljava/util/Map; PLcoil3/request/ImageRequest;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; @@ -13914,7 +13975,7 @@ HPLcoil3/request/ImageRequest;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequest;->getTarget()Lcoil3/target/Target; HPLcoil3/request/ImageRequest;->newBuilder$default(Lcoil3/request/ImageRequest;Landroid/content/Context;ILjava/lang/Object;)Lcoil3/request/ImageRequest$Builder; HPLcoil3/request/ImageRequest;->newBuilder(Landroid/content/Context;)Lcoil3/request/ImageRequest$Builder; -PLcoil3/request/ImageRequest;->placeholder()Lcoil3/Image; +HPLcoil3/request/ImageRequest;->placeholder()Lcoil3/Image; HPLcoil3/request/ImageRequest$Builder;->(Landroid/content/Context;)V HPLcoil3/request/ImageRequest$Builder;->(Lcoil3/request/ImageRequest;Landroid/content/Context;)V HPLcoil3/request/ImageRequest$Builder;->build()Lcoil3/request/ImageRequest; @@ -13937,13 +13998,14 @@ PLcoil3/request/ImageRequest$Defaults;->(Lokio/FileSystem;Lkotlinx/corouti PLcoil3/request/ImageRequest$Defaults;->copy$default(Lcoil3/request/ImageRequest$Defaults;Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;ILjava/lang/Object;)Lcoil3/request/ImageRequest$Defaults; PLcoil3/request/ImageRequest$Defaults;->copy(Lokio/FileSystem;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lkotlinx/coroutines/CoroutineDispatcher;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lcoil3/request/CachePolicy;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;Lcoil3/size/Precision;Lcoil3/Extras;)Lcoil3/request/ImageRequest$Defaults; HPLcoil3/request/ImageRequest$Defaults;->getDecoderDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; -PLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getDiskCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defaults;->getExtras()Lcoil3/Extras; HPLcoil3/request/ImageRequest$Defaults;->getFetcherDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; PLcoil3/request/ImageRequest$Defaults;->getFileSystem()Lokio/FileSystem; HPLcoil3/request/ImageRequest$Defaults;->getInterceptorDispatcher()Lkotlinx/coroutines/CoroutineDispatcher; HPLcoil3/request/ImageRequest$Defaults;->getMemoryCachePolicy()Lcoil3/request/CachePolicy; -PLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; +HPLcoil3/request/ImageRequest$Defaults;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; +PLcoil3/request/ImageRequest$Defaults;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defaults;->getPrecision()Lcoil3/size/Precision; PLcoil3/request/ImageRequest$Defaults$Companion;->()V PLcoil3/request/ImageRequest$Defaults$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -13958,8 +14020,8 @@ PLcoil3/request/ImageRequest$Defined;->getMemoryCachePolicy()Lcoil3/request/Cach PLcoil3/request/ImageRequest$Defined;->getNetworkCachePolicy()Lcoil3/request/CachePolicy; PLcoil3/request/ImageRequest$Defined;->getPlaceholderFactory()Lkotlin/jvm/functions/Function1; PLcoil3/request/ImageRequest$Defined;->getPrecision()Lcoil3/size/Precision; -HPLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; -HPLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; +PLcoil3/request/ImageRequest$Defined;->getScale()Lcoil3/size/Scale; +PLcoil3/request/ImageRequest$Defined;->getSizeResolver()Lcoil3/size/SizeResolver; HPLcoil3/request/ImageRequestKt;->resolveScale(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/Scale; HPLcoil3/request/ImageRequestKt;->resolveSizeResolver(Lcoil3/request/ImageRequest$Builder;)Lcoil3/size/SizeResolver; PLcoil3/request/ImageRequestsKt;->()V @@ -13967,7 +14029,7 @@ PLcoil3/request/ImageRequestsKt;->crossfade(Lcoil3/request/ImageRequest$Builder; HPLcoil3/request/ImageRequestsKt;->getAllowHardware(Lcoil3/request/ImageRequest;)Z HPLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/ImageRequest;)Z PLcoil3/request/ImageRequestsKt;->getAllowRgb565(Lcoil3/request/Options;)Z -HPLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; +PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/ImageRequest;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getBitmapConfig(Lcoil3/request/Options;)Landroid/graphics/Bitmap$Config; PLcoil3/request/ImageRequestsKt;->getColorSpace(Lcoil3/request/Options;)Landroid/graphics/ColorSpace; PLcoil3/request/ImageRequestsKt;->getPremultipliedAlpha(Lcoil3/request/Options;)Z @@ -13992,7 +14054,7 @@ PLcoil3/request/RequestServiceKt;->RequestService(Lcoil3/ImageLoader;Lcoil3/util HPLcoil3/request/SuccessResult;->(Lcoil3/Image;Lcoil3/request/ImageRequest;Lcoil3/decode/DataSource;Lcoil3/memory/MemoryCache$Key;Ljava/lang/String;ZZ)V PLcoil3/request/SuccessResult;->getDataSource()Lcoil3/decode/DataSource; PLcoil3/request/SuccessResult;->getImage()Lcoil3/Image; -HPLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; +PLcoil3/request/SuccessResult;->getRequest()Lcoil3/request/ImageRequest; PLcoil3/request/SuccessResult;->isPlaceholderCached()Z PLcoil3/size/Dimension$Pixels;->(I)V PLcoil3/size/Dimension$Pixels;->equals(Ljava/lang/Object;)Z @@ -14032,10 +14094,10 @@ PLcoil3/transition/Transition$Factory;->()V PLcoil3/transition/Transition$Factory$Companion;->()V PLcoil3/transition/Transition$Factory$Companion;->()V PLcoil3/util/AndroidSystemCallbacks;->()V -PLcoil3/util/AndroidSystemCallbacks;->()V +PLcoil3/util/AndroidSystemCallbacks;->(Lcoil3/RealImageLoader;)V PLcoil3/util/AndroidSystemCallbacks;->isOnline()Z -PLcoil3/util/AndroidSystemCallbacks;->register(Lcoil3/RealImageLoader;)V -PLcoil3/util/AndroidSystemCallbacks;->setOnline(Z)V +PLcoil3/util/AndroidSystemCallbacks;->registerMemoryPressureCallbacks()V +PLcoil3/util/AndroidSystemCallbacks;->registerNetworkObserver()V PLcoil3/util/AndroidSystemCallbacks$Companion;->()V PLcoil3/util/AndroidSystemCallbacks$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLcoil3/util/BitmapsKt;->getAllocationByteCountCompat(Landroid/graphics/Bitmap;)I @@ -14083,7 +14145,7 @@ PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->()V PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/lang/Object; PLcoil3/util/ServiceLoaderComponentRegistry$fetchers$2;->invoke()Ljava/util/List; -PLcoil3/util/SystemCallbacksKt;->SystemCallbacks()Lcoil3/util/SystemCallbacks; +PLcoil3/util/SystemCallbacksKt;->SystemCallbacks(Lcoil3/RealImageLoader;)Lcoil3/util/SystemCallbacks; PLcoil3/util/Utils_androidKt;->()V HPLcoil3/util/Utils_androidKt;->getAllowInexactSize(Lcoil3/request/ImageRequest;)Z PLcoil3/util/Utils_androidKt;->getDEFAULT_BITMAP_CONFIG()Landroid/graphics/Bitmap$Config; @@ -14152,12 +14214,12 @@ Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$Companion$Saver$2;->()V Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3; -HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V +HSPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->(Lcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry;Ljava/lang/String;Lkotlin/jvm/functions/Function0;)V HPLcom/slack/circuit/backstack/BackStackRecordLocalSaveableStateRegistry$registerProvider$3;->unregister()V Lcom/slack/circuit/backstack/CompositeProvidedValues; HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->()V HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->(Ljava/util/List;)V -HPLcom/slack/circuit/backstack/CompositeProvidedValues;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; +HSPLcom/slack/circuit/backstack/CompositeProvidedValues;->provideValues(Landroidx/compose/runtime/Composer;I)Lkotlinx/collections/immutable/ImmutableList; Lcom/slack/circuit/backstack/NavDecoration; Lcom/slack/circuit/backstack/NestedRememberObserver; HSPLcom/slack/circuit/backstack/NestedRememberObserver;->(Lkotlin/jvm/functions/Function0;)V @@ -14177,6 +14239,8 @@ HSPLcom/slack/circuit/backstack/SaveableBackStack;->()V HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Ljava/lang/Object;ILkotlin/jvm/internal/DefaultConstructorMarker;)V HSPLcom/slack/circuit/backstack/SaveableBackStack;->access$getSaver$cp()Landroidx/compose/runtime/saveable/Saver; +PLcom/slack/circuit/backstack/SaveableBackStack;->containsRecord(Lcom/slack/circuit/backstack/BackStack$Record;Z)Z +PLcom/slack/circuit/backstack/SaveableBackStack;->containsRecord(Lcom/slack/circuit/backstack/SaveableBackStack$Record;Z)Z HSPLcom/slack/circuit/backstack/SaveableBackStack;->getEntryList$backstack_release()Landroidx/compose/runtime/snapshots/SnapshotStateList; HSPLcom/slack/circuit/backstack/SaveableBackStack;->getSize()I HSPLcom/slack/circuit/backstack/SaveableBackStack;->getStateStore$backstack_release()Ljava/util/Map; @@ -14325,20 +14389,20 @@ HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$ HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Lcom/slack/circuit/runtime/CircuitContext; HSPLcom/slack/circuit/foundation/CircuitCompositionLocalsKt$LocalCircuitContext$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt; -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Landroidx/compose/runtime/Composer;I)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Landroidx/compose/runtime/Composer;II)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V -HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lkotlin/jvm/functions/Function1;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt;->CircuitContent(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;Landroidx/compose/runtime/Composer;II)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10; -HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;II)V +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/presenter/Presenter;Lcom/slack/circuit/runtime/ui/Ui;Lcom/slack/circuit/foundation/EventListener;Ljava/lang/Object;II)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Landroidx/compose/runtime/Composer;I)V PLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$10;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;)V +HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->(Lcom/slack/circuit/runtime/screen/Screen;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/runtime/Navigator;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Lcom/slack/circuit/runtime/CircuitContext;Ljava/lang/Object;)V HPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4; -HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4;->(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;II)V +HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$4;->(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/Navigator;Landroidx/compose/ui/Modifier;Lcom/slack/circuit/foundation/Circuit;Lkotlin/jvm/functions/Function4;Ljava/lang/Object;II)V Lcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5; HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->(Lcom/slack/circuit/foundation/EventListener;)V HSPLcom/slack/circuit/foundation/CircuitContentKt$CircuitContent$5;->invoke(Landroidx/compose/runtime/DisposableEffectScope;)Landroidx/compose/runtime/DisposableEffectResult; @@ -14431,7 +14495,7 @@ HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitConte HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Landroidx/compose/runtime/Composer;I)V HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; Lcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1; -PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->$r8$lambda$OLYvGXvByHk9HzppmdzMrsHHJac(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->$r8$lambda$_sFOl3ShEX3wPsXtWq7eMMTEWRA(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HSPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->(Lcom/slack/circuit/backstack/BackStack;Lkotlinx/collections/immutable/ImmutableMap;)V PLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke$lambda$1$lambda$0(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/backstack/BackStack$Record;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HPLcom/slack/circuit/foundation/NavigableCircuitContentKt$NavigableCircuitContent$2$1;->invoke(Lcom/slack/circuit/foundation/RecordContentProvider;Landroidx/compose/runtime/Composer;I)V @@ -14488,16 +14552,16 @@ HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;- HSPLcom/slack/circuit/foundation/NavigatorDefaults$DefaultDecoration$forward$2;->()V Lcom/slack/circuit/foundation/NavigatorImpl; HSPLcom/slack/circuit/foundation/NavigatorImpl;->()V -HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)V +HSPLcom/slack/circuit/foundation/NavigatorImpl;->(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;)V Lcom/slack/circuit/foundation/NavigatorImplKt; -HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;)Lcom/slack/circuit/runtime/Navigator; -HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function0;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->Navigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;)Lcom/slack/circuit/runtime/Navigator; +HSPLcom/slack/circuit/foundation/NavigatorImplKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;Lkotlin/jvm/functions/Function1;Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt; -HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function0; +HSPLcom/slack/circuit/foundation/Navigator_androidKt;->backDispatcherRootPop(Landroidx/compose/runtime/Composer;I)Lkotlin/jvm/functions/Function1; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->onBack(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)Lkotlin/jvm/functions/Function0; HSPLcom/slack/circuit/foundation/Navigator_androidKt;->rememberCircuitNavigator(Lcom/slack/circuit/backstack/BackStack;ZLandroidx/compose/runtime/Composer;II)Lcom/slack/circuit/runtime/Navigator; Lcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1; -HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Ljava/lang/Object;)V +HSPLcom/slack/circuit/foundation/Navigator_androidKt$backDispatcherRootPop$1;->(Landroidx/activity/OnBackPressedDispatcher;)V Lcom/slack/circuit/foundation/Navigator_androidKt$onBack$1; HSPLcom/slack/circuit/foundation/Navigator_androidKt$onBack$1;->(Lcom/slack/circuit/backstack/BackStack;Lcom/slack/circuit/runtime/Navigator;)V Lcom/slack/circuit/foundation/RecordContentProvider; @@ -14580,7 +14644,7 @@ HSPLcom/slack/circuit/retained/AndroidContinuityKt$continuityRetainedStateRegist Lcom/slack/circuit/retained/CanRetainChecker; HSPLcom/slack/circuit/retained/CanRetainChecker;->()V Lcom/slack/circuit/retained/CanRetainChecker$Companion; -PLcom/slack/circuit/retained/CanRetainChecker$Companion;->$r8$lambda$oK4CBeCxLhxH9kYxdJUmlEfSbuc(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +PLcom/slack/circuit/retained/CanRetainChecker$Companion;->$r8$lambda$bDOS5Wf1MnHmklyVjhcAdmWKhv4(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HSPLcom/slack/circuit/retained/CanRetainChecker$Companion;->()V HSPLcom/slack/circuit/retained/CanRetainChecker$Companion;->()V PLcom/slack/circuit/retained/CanRetainChecker$Companion;->Always$lambda$0(Lcom/slack/circuit/retained/RetainedStateRegistry;)Z @@ -14597,7 +14661,7 @@ HSPLcom/slack/circuit/retained/CanRetainCheckerKt$LocalCanRetainChecker$1;->invoke()Lcom/slack/circuit/retained/CanRetainChecker; HSPLcom/slack/circuit/retained/CanRetainCheckerKt$LocalCanRetainChecker$1;->invoke()Ljava/lang/Object; Lcom/slack/circuit/retained/CanRetainChecker_androidKt; -PLcom/slack/circuit/retained/CanRetainChecker_androidKt;->$r8$lambda$TqTW6u-XfyTAZZvGDk6eEmMB9xE(Landroid/app/Activity;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z +PLcom/slack/circuit/retained/CanRetainChecker_androidKt;->$r8$lambda$7QK3W5kJIaQG7-suaGdbNDaLNbg(Landroid/app/Activity;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HSPLcom/slack/circuit/retained/CanRetainChecker_androidKt;->findActivity(Landroid/content/Context;)Landroid/app/Activity; PLcom/slack/circuit/retained/CanRetainChecker_androidKt;->rememberCanRetainChecker$lambda$2$lambda$1(Landroid/app/Activity;Lcom/slack/circuit/retained/RetainedStateRegistry;)Z HPLcom/slack/circuit/retained/CanRetainChecker_androidKt;->rememberCanRetainChecker(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/retained/CanRetainChecker; @@ -14611,7 +14675,6 @@ HSPLcom/slack/circuit/retained/ContinuityViewModel;->consumeValue(Ljava/lang/Str HSPLcom/slack/circuit/retained/ContinuityViewModel;->forgetUnclaimedValues()V PLcom/slack/circuit/retained/ContinuityViewModel;->onCleared()V HSPLcom/slack/circuit/retained/ContinuityViewModel;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; -PLcom/slack/circuit/retained/ContinuityViewModel;->saveValue(Ljava/lang/String;)V Lcom/slack/circuit/retained/ContinuityViewModel$Factory; HSPLcom/slack/circuit/retained/ContinuityViewModel$Factory;->()V HSPLcom/slack/circuit/retained/ContinuityViewModel$Factory;->()V @@ -14628,29 +14691,31 @@ HSPLcom/slack/circuit/retained/RememberRetainedKt$rememberRetained$1;->(Lc HSPLcom/slack/circuit/retained/RememberRetainedKt$rememberRetained$1;->invoke()Ljava/lang/Object; HSPLcom/slack/circuit/retained/RememberRetainedKt$rememberRetained$1;->invoke()V Lcom/slack/circuit/retained/RetainableHolder; -HPLcom/slack/circuit/retained/RetainableHolder;->(Lcom/slack/circuit/retained/RetainedStateRegistry;Lcom/slack/circuit/retained/CanRetainChecker;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V +HPLcom/slack/circuit/retained/RetainableHolder;->(Lcom/slack/circuit/retained/RetainedStateRegistry;Lcom/slack/circuit/retained/CanRetainChecker;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;Z)V HSPLcom/slack/circuit/retained/RetainableHolder;->getValueIfInputsAreEqual([Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/retained/RetainableHolder;->invoke()Ljava/lang/Object; PLcom/slack/circuit/retained/RetainableHolder;->onForgotten()V HSPLcom/slack/circuit/retained/RetainableHolder;->onRemembered()V HSPLcom/slack/circuit/retained/RetainableHolder;->register()V -HPLcom/slack/circuit/retained/RetainableHolder;->saveIfRetainable()V +PLcom/slack/circuit/retained/RetainableHolder;->saveIfRetainable()V HSPLcom/slack/circuit/retained/RetainableHolder;->update(Lcom/slack/circuit/retained/RetainedStateRegistry;Ljava/lang/String;Ljava/lang/Object;[Ljava/lang/Object;)V Lcom/slack/circuit/retained/RetainableHolder$Value; PLcom/slack/circuit/retained/RetainableHolder$Value;->()V PLcom/slack/circuit/retained/RetainableHolder$Value;->(Ljava/lang/Object;[Ljava/lang/Object;)V +PLcom/slack/circuit/retained/RetainableHolder$Value;->getValue()Ljava/lang/Object; Lcom/slack/circuit/retained/RetainedStateRegistry; Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; Lcom/slack/circuit/retained/RetainedStateRegistryImpl; HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->()V HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->(Ljava/util/Map;)V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->consumeValue(Ljava/lang/String;)Ljava/lang/Object; +PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues$clearValue(Ljava/lang/Object;)V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->forgetUnclaimedValues()V HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getRetained()Ljava/util/Map; PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->getValueProviders$circuit_retained_release()Ljava/util/Map; HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->registerValue(Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)Lcom/slack/circuit/retained/RetainedStateRegistry$Entry; HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->saveAll()V -HPLcom/slack/circuit/retained/RetainedStateRegistryImpl;->saveValue(Ljava/lang/String;)V +PLcom/slack/circuit/retained/RetainedStateRegistryImpl;->saveValue(Ljava/lang/String;)V Lcom/slack/circuit/retained/RetainedStateRegistryImpl$registerValue$3; HSPLcom/slack/circuit/retained/RetainedStateRegistryImpl$registerValue$3;->(Lcom/slack/circuit/retained/RetainedStateRegistryImpl;Ljava/lang/String;Lcom/slack/circuit/retained/RetainedValueProvider;)V PLcom/slack/circuit/retained/RetainedStateRegistryImpl$registerValue$3;->unregister()V @@ -14662,6 +14727,7 @@ HSPLcom/slack/circuit/retained/RetainedStateRegistryKt;->getLocalRetainedStateRe Lcom/slack/circuit/retained/RetainedStateRegistryKt$LocalRetainedStateRegistry$1; HSPLcom/slack/circuit/retained/RetainedStateRegistryKt$LocalRetainedStateRegistry$1;->()V HSPLcom/slack/circuit/retained/RetainedStateRegistryKt$LocalRetainedStateRegistry$1;->()V +Lcom/slack/circuit/retained/RetainedValueHolder; Lcom/slack/circuit/retained/RetainedValueProvider; Lcom/slack/circuit/runtime/CircuitContext; HSPLcom/slack/circuit/runtime/CircuitContext;->()V @@ -14823,7 +14889,6 @@ PLcom/slack/circuit/star/data/Animal;->getSize()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getStatus()Ljava/lang/String; PLcom/slack/circuit/star/data/Animal;->getUrl()Ljava/lang/String; PLcom/slack/circuit/star/data/AnimalJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V -HPLcom/slack/circuit/star/data/AnimalJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/AnimalsResponse;->()V PLcom/slack/circuit/star/data/AnimalsResponse;->(Ljava/util/List;Lcom/slack/circuit/star/data/Pagination;)V PLcom/slack/circuit/star/data/AnimalsResponse;->getAnimals()Ljava/util/List; @@ -14883,8 +14948,8 @@ PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Lcom/slack/circu PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->get()Ljava/lang/Object; PLcom/slack/circuit/star/data/ContextStarAppDirs_Factory;->newInstance(Landroid/content/Context;Lokio/FileSystem;)Lcom/slack/circuit/star/data/ContextStarAppDirs; Lcom/slack/circuit/star/data/DataModule; -PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$DB7R4HeDnMWpb1ErSjMSLCfy6r8(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; -PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$mn3Xyc6tGOF1yxPQrbrKYubJoY0(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; +PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$RJ6io3fQ1nKEckMOzYCbaE1DaUE(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; +PLcom/slack/circuit/star/data/DataModule;->$r8$lambda$ToIfkZfgqGKc3Tuz0AjwrFwiKRc(Ldagger/Lazy;Lokhttp3/Request;)Lokhttp3/Call; HSPLcom/slack/circuit/star/data/DataModule;->()V HSPLcom/slack/circuit/star/data/DataModule;->()V PLcom/slack/circuit/star/data/DataModule;->provideAuthedOkHttpClient(Lretrofit2/Retrofit;Lcom/slack/circuit/star/data/TokenStorage;Lokhttp3/OkHttpClient;)Lokhttp3/OkHttpClient; @@ -14991,7 +15056,7 @@ PLcom/slack/circuit/star/data/JsoupConverter$Companion$newFactory$1;->responseBo Lcom/slack/circuit/star/data/JsoupConverter$Companion$newFactory$1$converter$2; HSPLcom/slack/circuit/star/data/JsoupConverter$Companion$newFactory$1$converter$2;->(Lkotlin/jvm/functions/Function1;)V PLcom/slack/circuit/star/data/Link;->()V -PLcom/slack/circuit/star/data/Link;->(Ljava/lang/String;)V +HPLcom/slack/circuit/star/data/Link;->(Ljava/lang/String;)V PLcom/slack/circuit/star/data/LinkJsonAdapter;->(Lcom/squareup/moshi/Moshi;)V HPLcom/slack/circuit/star/data/LinkJsonAdapter;->fromJson(Lcom/squareup/moshi/JsonReader;)Ljava/lang/Object; PLcom/slack/circuit/star/data/Links;->()V @@ -15064,12 +15129,12 @@ PLcom/slack/circuit/star/db/Animal;->()V HPLcom/slack/circuit/star/db/Animal;->(JJLjava/lang/String;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Lkotlinx/collections/immutable/ImmutableList;Ljava/lang/String;Ljava/lang/String;Lcom/slack/circuit/star/db/Gender;Lcom/slack/circuit/star/db/Size;Ljava/lang/String;)V PLcom/slack/circuit/star/db/Animal;->getAge()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getDescription()Ljava/lang/String; -HPLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; +PLcom/slack/circuit/star/db/Animal;->getGender()Lcom/slack/circuit/star/db/Gender; PLcom/slack/circuit/star/db/Animal;->getId()J -HPLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; +PLcom/slack/circuit/star/db/Animal;->getName()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getPhotoUrls()Lkotlinx/collections/immutable/ImmutableList; -HPLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; -HPLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; +PLcom/slack/circuit/star/db/Animal;->getPrimaryBreed()Ljava/lang/String; +PLcom/slack/circuit/star/db/Animal;->getPrimaryPhotoUrl()Ljava/lang/String; PLcom/slack/circuit/star/db/Animal;->getSize()Lcom/slack/circuit/star/db/Size; PLcom/slack/circuit/star/db/Animal;->getSort()J PLcom/slack/circuit/star/db/Animal;->getTags()Lkotlinx/collections/immutable/ImmutableList; @@ -15431,7 +15496,7 @@ HSPLcom/slack/circuit/star/petdetail/PetBioParser;->()V Lcom/slack/circuit/star/petdetail/PetDetailFactory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->()V -HSPLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; +PLcom/slack/circuit/star/petdetail/PetDetailFactory;->create(Lcom/slack/circuit/runtime/screen/Screen;Lcom/slack/circuit/runtime/CircuitContext;)Lcom/slack/circuit/runtime/ui/Ui; Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->()V HSPLcom/slack/circuit/star/petdetail/PetDetailFactory_Factory;->create()Lcom/slack/circuit/star/petdetail/PetDetailFactory_Factory; @@ -15562,7 +15627,7 @@ PLcom/slack/circuit/star/petlist/PetListAnimal;->getGender()Lcom/slack/circuit/s PLcom/slack/circuit/star/petlist/PetListAnimal;->getId()J PLcom/slack/circuit/star/petlist/PetListAnimal;->getImageUrl()Ljava/lang/String; PLcom/slack/circuit/star/petlist/PetListAnimal;->getName()Ljava/lang/String; -HPLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; +PLcom/slack/circuit/star/petlist/PetListAnimal;->getSize()Lcom/slack/circuit/star/db/Size; Lcom/slack/circuit/star/petlist/PetListFactory; HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V HSPLcom/slack/circuit/star/petlist/PetListFactory;->()V @@ -15589,7 +15654,7 @@ PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$6(Landroidx/c PLcom/slack/circuit/star/petlist/PetListPresenter;->present$lambda$8(Landroidx/compose/runtime/MutableState;)Lcom/slack/circuit/star/petlist/Filters; HSPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/runtime/CircuitUiState; HPLcom/slack/circuit/star/petlist/PetListPresenter;->present(Landroidx/compose/runtime/Composer;I)Lcom/slack/circuit/star/petlist/PetListScreen$State; -HPLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z +PLcom/slack/circuit/star/petlist/PetListPresenter;->shouldKeep(Lcom/slack/circuit/star/petlist/Filters;Lcom/slack/circuit/star/petlist/PetListAnimal;)Z Lcom/slack/circuit/star/petlist/PetListPresenter$Factory; PLcom/slack/circuit/star/petlist/PetListPresenter$present$3$1;->(Lcom/slack/circuit/star/petlist/PetListPresenter;Lcom/slack/circuit/runtime/GoToNavigator;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;Landroidx/compose/runtime/MutableState;)V Lcom/slack/circuit/star/petlist/PetListPresenter$present$animalState$2$1; @@ -15675,7 +15740,7 @@ HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2;->invoke(Ljava/lang Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1; HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Landroidx/compose/foundation/layout/RowScope;Landroidx/compose/runtime/Composer;I)V -HPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$1$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V PLcom/slack/circuit/star/petlist/PetListScreenKt$PetList$2$1$2$1;->(Lcom/slack/circuit/star/petlist/PetListScreen$State;)V Lcom/slack/circuit/star/petlist/PetListScreenKt$PetList$3; @@ -15910,8 +15975,6 @@ HPLcom/squareup/moshi/JsonUtf8Reader;->peek()Lcom/squareup/moshi/JsonReader$Toke HPLcom/squareup/moshi/JsonUtf8Reader;->peekKeyword()I HPLcom/squareup/moshi/JsonUtf8Reader;->peekNumber()I HPLcom/squareup/moshi/JsonUtf8Reader;->promoteNameToValue()V -HPLcom/squareup/moshi/JsonUtf8Reader;->readEscapeCharacter()C -HPLcom/squareup/moshi/JsonUtf8Reader;->selectName(Lcom/squareup/moshi/JsonReader$Options;)I HPLcom/squareup/moshi/JsonUtf8Reader;->skipName()V HPLcom/squareup/moshi/JsonUtf8Reader;->skipQuotedValue(Lokio/ByteString;)V HPLcom/squareup/moshi/JsonUtf8Reader;->skipValue()V @@ -15921,11 +15984,11 @@ PLcom/squareup/moshi/LinkedHashTreeMap;->()V PLcom/squareup/moshi/LinkedHashTreeMap;->()V HPLcom/squareup/moshi/LinkedHashTreeMap;->(Ljava/util/Comparator;)V HPLcom/squareup/moshi/LinkedHashTreeMap;->find(Ljava/lang/Object;Z)Lcom/squareup/moshi/LinkedHashTreeMap$Node; -PLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLcom/squareup/moshi/LinkedHashTreeMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLcom/squareup/moshi/LinkedHashTreeMap;->rebalance(Lcom/squareup/moshi/LinkedHashTreeMap$Node;Z)V PLcom/squareup/moshi/LinkedHashTreeMap;->secondaryHash(I)I PLcom/squareup/moshi/LinkedHashTreeMap$1;->()V -PLcom/squareup/moshi/LinkedHashTreeMap$Node;->()V +HPLcom/squareup/moshi/LinkedHashTreeMap$Node;->()V HPLcom/squareup/moshi/LinkedHashTreeMap$Node;->(Lcom/squareup/moshi/LinkedHashTreeMap$Node;Ljava/lang/Object;ILcom/squareup/moshi/LinkedHashTreeMap$Node;Lcom/squareup/moshi/LinkedHashTreeMap$Node;)V Lcom/squareup/moshi/MapJsonAdapter; HSPLcom/squareup/moshi/MapJsonAdapter;->()V @@ -16069,7 +16132,7 @@ PLio/ktor/client/HttpClient;->getSendPipeline()Lio/ktor/client/request/HttpSendP PLio/ktor/client/HttpClient$2;->(Lio/ktor/client/HttpClient;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/HttpClient$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/HttpClient$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/HttpClient$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->()V PLio/ktor/client/HttpClient$3$1;->invoke(Lio/ktor/client/HttpClient;)V @@ -16139,7 +16202,7 @@ PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$1;->(Lko PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->(Lio/ktor/client/engine/HttpClientEngine;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/engine/HttpClientEngine$executeWithinCallContext$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngine$install$1;->(Lio/ktor/client/HttpClient;Lio/ktor/client/engine/HttpClientEngine;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/engine/HttpClientEngine$install$1;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngine$install$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16163,9 +16226,9 @@ PLio/ktor/client/engine/HttpClientEngineConfig;->()V PLio/ktor/client/engine/HttpClientEngineConfig;->getProxy()Ljava/net/Proxy; PLio/ktor/client/engine/HttpClientEngineKt;->()V PLio/ktor/client/engine/HttpClientEngineKt;->access$validateHeaders(Lio/ktor/client/request/HttpRequestData;)V -PLio/ktor/client/engine/HttpClientEngineKt;->createCallContext(Lio/ktor/client/engine/HttpClientEngine;Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/engine/HttpClientEngineKt;->createCallContext(Lio/ktor/client/engine/HttpClientEngine;Lkotlinx/coroutines/Job;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/HttpClientEngineKt;->getCLIENT_CONFIG()Lio/ktor/util/AttributeKey; -PLio/ktor/client/engine/HttpClientEngineKt;->validateHeaders(Lio/ktor/client/request/HttpRequestData;)V +HPLio/ktor/client/engine/HttpClientEngineKt;->validateHeaders(Lio/ktor/client/request/HttpRequestData;)V PLio/ktor/client/engine/KtorCallContextElement;->()V PLio/ktor/client/engine/KtorCallContextElement;->(Lkotlin/coroutines/CoroutineContext;)V PLio/ktor/client/engine/KtorCallContextElement;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; @@ -16183,6 +16246,8 @@ PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->(Lkotlinx/coroutines/D PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/engine/UtilsKt$attachToUserJob$2;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->(Lkotlinx/coroutines/Job;)V +PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/engine/UtilsKt$attachToUserJob$cleanupHandler$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->(Lio/ktor/http/Headers;Lio/ktor/http/content/OutgoingContent;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Lio/ktor/http/HeadersBuilder;)V PLio/ktor/client/engine/UtilsKt$mergeHeaders$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; @@ -16190,6 +16255,7 @@ PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->(Lkotlin/jvm/functions/Fu PLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/UtilsKt$mergeHeaders$2;->invoke(Ljava/lang/String;Ljava/util/List;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->(Lio/ktor/client/request/HttpRequestData;Lkotlinx/coroutines/CancellableContinuation;)V +PLio/ktor/client/engine/okhttp/OkHttpCallback;->onFailure(Lokhttp3/Call;Ljava/io/IOException;)V PLio/ktor/client/engine/okhttp/OkHttpCallback;->onResponse(Lokhttp3/Call;Lokhttp3/Response;)V PLio/ktor/client/engine/okhttp/OkHttpConfig;->()V PLio/ktor/client/engine/okhttp/OkHttpConfig;->getClientCacheSize()I @@ -16233,11 +16299,11 @@ PLio/ktor/client/engine/okhttp/OkHttpEngine$executeHttpRequest$2;->invoke(Ljava/ PLio/ktor/client/engine/okhttp/OkHttpEngine$executeHttpRequest$2;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->access$convertToOkHttpRequest(Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/CoroutineContext;)Lokhttp3/Request; PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->access$toChannel(Lokio/BufferedSource;Lkotlin/coroutines/CoroutineContext;Lio/ktor/client/request/HttpRequestData;)Lio/ktor/utils/io/ByteReadChannel; -PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->convertToOkHttpRequest(Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/CoroutineContext;)Lokhttp3/Request; +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt;->convertToOkHttpRequest(Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/CoroutineContext;)Lokhttp3/Request; PLio/ktor/client/engine/okhttp/OkHttpEngineKt;->toChannel(Lokio/BufferedSource;Lkotlin/coroutines/CoroutineContext;Lio/ktor/client/request/HttpRequestData;)Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->(Lokhttp3/Request$Builder;)V -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/String;Ljava/lang/String;)V +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$convertToOkHttpRequest$1$1;->invoke(Ljava/lang/String;Ljava/lang/String;)V PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->(Lokio/BufferedSource;Lkotlin/coroutines/CoroutineContext;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invoke(Lio/ktor/utils/io/WriterScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -16246,11 +16312,13 @@ HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1;->invokeSuspend(Ljava HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->(Lkotlin/jvm/internal/Ref$IntRef;Lokio/BufferedSource;Lio/ktor/client/request/HttpRequestData;)V HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/client/engine/okhttp/OkHttpEngineKt$toChannel$1$1$1;->invoke(Ljava/nio/ByteBuffer;)V -PLio/ktor/client/engine/okhttp/OkUtilsKt;->execute(Lokhttp3/OkHttpClient;Lokhttp3/Request;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/engine/okhttp/OkUtilsKt;->execute(Lokhttp3/OkHttpClient;Lokhttp3/Request;Lio/ktor/client/request/HttpRequestData;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Headers;)Lio/ktor/http/Headers; PLio/ktor/client/engine/okhttp/OkUtilsKt;->fromOkHttp(Lokhttp3/Protocol;)Lio/ktor/http/HttpProtocolVersion; PLio/ktor/client/engine/okhttp/OkUtilsKt$WhenMappings;->()V PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->(Lokhttp3/Call;)V +PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/engine/okhttp/OkUtilsKt$execute$2$1;->invoke(Ljava/lang/Throwable;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->(Lokhttp3/Headers;)V PLio/ktor/client/engine/okhttp/OkUtilsKt$fromOkHttp$1;->entries()Ljava/util/Set; PLio/ktor/client/plugins/BodyProgress;->()V @@ -16268,7 +16336,7 @@ PLio/ktor/client/plugins/BodyProgress$Plugin;->prepare(Lkotlin/jvm/functions/Fun PLio/ktor/client/plugins/BodyProgress$handle$1;->(Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/BodyProgress$handle$1;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/BodyProgress$handle$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/BodyProgress$handle$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/BodyProgress$handle$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/BodyProgress$handle$2;->(Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/BodyProgress$handle$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/BodyProgress$handle$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16286,7 +16354,7 @@ PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidatio PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -HPLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLio/ktor/client/plugins/DefaultResponseValidationKt$addDefaultResponseValidation$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/DefaultTransformKt;->()V PLio/ktor/client/plugins/DefaultTransformKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/DefaultTransformKt;->defaultTransformers(Lio/ktor/client/HttpClient;)V @@ -16315,7 +16383,9 @@ PLio/ktor/client/plugins/HttpCallValidator;->()V PLio/ktor/client/plugins/HttpCallValidator;->(Ljava/util/List;Ljava/util/List;Z)V PLio/ktor/client/plugins/HttpCallValidator;->access$getExpectSuccess$p(Lio/ktor/client/plugins/HttpCallValidator;)Z PLio/ktor/client/plugins/HttpCallValidator;->access$getKey$cp()Lio/ktor/util/AttributeKey; +PLio/ktor/client/plugins/HttpCallValidator;->access$processException(Lio/ktor/client/plugins/HttpCallValidator;Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator;->access$validateResponse(Lio/ktor/client/plugins/HttpCallValidator;Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpCallValidator;->processException(Ljava/lang/Throwable;Lio/ktor/client/request/HttpRequest;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/plugins/HttpCallValidator;->validateResponse(Lio/ktor/client/statement/HttpResponse;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Companion;->()V PLio/ktor/client/plugins/HttpCallValidator$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16338,18 +16408,23 @@ PLio/ktor/client/plugins/HttpCallValidator$Companion$install$2;->invokeSuspend(L PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invoke(Lio/ktor/client/plugins/Sender;Lio/ktor/client/request/HttpRequestBuilder;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpCallValidator$Companion$install$3;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpCallValidator$Config;->()V PLio/ktor/client/plugins/HttpCallValidator$Config;->getExpectSuccess()Z PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseExceptionHandlers$ktor_client_core()Ljava/util/List; PLio/ktor/client/plugins/HttpCallValidator$Config;->getResponseValidators$ktor_client_core()Ljava/util/List; PLio/ktor/client/plugins/HttpCallValidator$Config;->setExpectSuccess(Z)V PLio/ktor/client/plugins/HttpCallValidator$Config;->validateResponse(Lkotlin/jvm/functions/Function2;)V +PLio/ktor/client/plugins/HttpCallValidator$processException$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidator$validateResponse$1;->(Lio/ktor/client/plugins/HttpCallValidator;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpCallValidatorKt;->()V +PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->HttpResponseValidator(Lio/ktor/client/HttpClientConfig;Lkotlin/jvm/functions/Function1;)V +PLio/ktor/client/plugins/HttpCallValidatorKt;->access$HttpRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1; PLio/ktor/client/plugins/HttpCallValidatorKt;->access$getLOGGER$p()Lorg/slf4j/Logger; PLio/ktor/client/plugins/HttpCallValidatorKt;->getExpectSuccessAttributeKey()Lio/ktor/util/AttributeKey; +PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->(Lio/ktor/client/request/HttpRequestBuilder;)V +PLio/ktor/client/plugins/HttpCallValidatorKt$HttpRequest$1;->getUrl()Lio/ktor/http/Url; PLio/ktor/client/plugins/HttpClientPluginKt;->()V PLio/ktor/client/plugins/HttpClientPluginKt;->getPLUGIN_INSTALLED_LIST()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpClientPluginKt;->plugin(Lio/ktor/client/HttpClient;Lio/ktor/client/plugins/HttpClientPlugin;)Ljava/lang/Object; @@ -16373,7 +16448,7 @@ PLio/ktor/client/plugins/HttpPlainText$Plugin;->prepare(Lkotlin/jvm/functions/Fu PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->(Lio/ktor/client/plugins/HttpPlainText;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invoke(Lio/ktor/util/pipeline/PipelineContext;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/client/plugins/HttpPlainText$Plugin$install$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpPlainText$Plugin$install$2;->(Lio/ktor/client/plugins/HttpPlainText;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/plugins/HttpPlainText$Plugin$install$2;->invoke(Lio/ktor/util/pipeline/PipelineContext;Lio/ktor/client/statement/HttpResponseContainer;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpPlainText$Plugin$install$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16441,9 +16516,11 @@ PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetry$p(Lio/ktor/cli PLio/ktor/client/plugins/HttpRequestRetry;->access$getShouldRetryOnException$p(Lio/ktor/client/plugins/HttpRequestRetry;)Lkotlin/jvm/functions/Function3; PLio/ktor/client/plugins/HttpRequestRetry;->access$prepareRequest(Lio/ktor/client/plugins/HttpRequestRetry;Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetry(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z +PLio/ktor/client/plugins/HttpRequestRetry;->access$shouldRetryOnException(Lio/ktor/client/plugins/HttpRequestRetry;IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry;->intercept$ktor_client_core(Lio/ktor/client/HttpClient;)V PLio/ktor/client/plugins/HttpRequestRetry;->prepareRequest(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetry(IILkotlin/jvm/functions/Function3;Lio/ktor/client/call/HttpClientCall;)Z +PLio/ktor/client/plugins/HttpRequestRetry;->shouldRetryOnException(IILkotlin/jvm/functions/Function3;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->delayMillis(ZLkotlin/jvm/functions/Function2;)V PLio/ktor/client/plugins/HttpRequestRetry$Configuration;->exponentialDelay$default(Lio/ktor/client/plugins/HttpRequestRetry$Configuration;DJJZILjava/lang/Object;)V @@ -16469,6 +16546,8 @@ PLio/ktor/client/plugins/HttpRequestRetry$Configuration$exponentialDelay$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$modifyRequest$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->(Z)V +PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequestBuilder;Ljava/lang/Throwable;)Ljava/lang/Boolean; +PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnException$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->()V PLio/ktor/client/plugins/HttpRequestRetry$Configuration$retryOnServerErrors$1;->invoke(Lio/ktor/client/plugins/HttpRequestRetry$ShouldRetryContext;Lio/ktor/client/request/HttpRequest;Lio/ktor/client/statement/HttpResponse;)Ljava/lang/Boolean; @@ -16494,6 +16573,8 @@ PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getModifyRequestPerRequestA PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getRetryDelayPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryOnExceptionPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; PLio/ktor/client/plugins/HttpRequestRetryKt;->access$getShouldRetryPerRequestAttributeKey$p()Lio/ktor/util/AttributeKey; +PLio/ktor/client/plugins/HttpRequestRetryKt;->access$isTimeoutException(Ljava/lang/Throwable;)Z +PLio/ktor/client/plugins/HttpRequestRetryKt;->isTimeoutException(Ljava/lang/Throwable;)Z PLio/ktor/client/plugins/HttpSend;->()V PLio/ktor/client/plugins/HttpSend;->(I)V PLio/ktor/client/plugins/HttpSend;->(ILkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -16531,15 +16612,16 @@ PLio/ktor/client/request/DefaultHttpRequest;->getMethod()Lio/ktor/http/HttpMetho PLio/ktor/client/request/DefaultHttpRequest;->getUrl()Lio/ktor/http/Url; PLio/ktor/client/request/HttpRequestBuilder;->()V HPLio/ktor/client/request/HttpRequestBuilder;->()V -PLio/ktor/client/request/HttpRequestBuilder;->build()Lio/ktor/client/request/HttpRequestData; +HPLio/ktor/client/request/HttpRequestBuilder;->build()Lio/ktor/client/request/HttpRequestData; PLio/ktor/client/request/HttpRequestBuilder;->getAttributes()Lio/ktor/util/Attributes; PLio/ktor/client/request/HttpRequestBuilder;->getBody()Ljava/lang/Object; -PLio/ktor/client/request/HttpRequestBuilder;->getBodyType()Lio/ktor/util/reflect/TypeInfo; +HPLio/ktor/client/request/HttpRequestBuilder;->getBodyType()Lio/ktor/util/reflect/TypeInfo; PLio/ktor/client/request/HttpRequestBuilder;->getExecutionContext()Lkotlinx/coroutines/Job; PLio/ktor/client/request/HttpRequestBuilder;->getHeaders()Lio/ktor/http/HeadersBuilder; +PLio/ktor/client/request/HttpRequestBuilder;->getMethod()Lio/ktor/http/HttpMethod; PLio/ktor/client/request/HttpRequestBuilder;->getUrl()Lio/ktor/http/URLBuilder; PLio/ktor/client/request/HttpRequestBuilder;->setBody(Ljava/lang/Object;)V -PLio/ktor/client/request/HttpRequestBuilder;->setBodyType(Lio/ktor/util/reflect/TypeInfo;)V +HPLio/ktor/client/request/HttpRequestBuilder;->setBodyType(Lio/ktor/util/reflect/TypeInfo;)V PLio/ktor/client/request/HttpRequestBuilder;->setExecutionContext$ktor_client_core(Lkotlinx/coroutines/Job;)V PLio/ktor/client/request/HttpRequestBuilder;->setMethod(Lio/ktor/http/HttpMethod;)V HPLio/ktor/client/request/HttpRequestBuilder;->takeFrom(Lio/ktor/client/request/HttpRequestBuilder;)Lio/ktor/client/request/HttpRequestBuilder; @@ -16586,7 +16668,7 @@ PLio/ktor/client/request/HttpSendPipeline$Phases;->getEngine()Lio/ktor/util/pipe PLio/ktor/client/request/HttpSendPipeline$Phases;->getReceive()Lio/ktor/util/pipeline/PipelinePhase; PLio/ktor/client/request/RequestBodyKt;->()V PLio/ktor/client/request/RequestBodyKt;->getBodyTypeAttributeKey()Lio/ktor/util/AttributeKey; -HPLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V +PLio/ktor/client/statement/DefaultHttpResponse;->(Lio/ktor/client/call/HttpClientCall;Lio/ktor/client/request/HttpResponseData;)V PLio/ktor/client/statement/DefaultHttpResponse;->getCall()Lio/ktor/client/call/HttpClientCall; PLio/ktor/client/statement/DefaultHttpResponse;->getContent()Lio/ktor/utils/io/ByteReadChannel; PLio/ktor/client/statement/DefaultHttpResponse;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; @@ -16626,6 +16708,7 @@ PLio/ktor/client/statement/HttpStatement;->cleanup(Lio/ktor/client/statement/Htt HPLio/ktor/client/statement/HttpStatement;->execute(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/client/statement/HttpStatement;->executeUnsafe(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$cleanup$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V +PLio/ktor/client/statement/HttpStatement$cleanup$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$execute$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V PLio/ktor/client/statement/HttpStatement$execute$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/client/statement/HttpStatement$executeUnsafe$1;->(Lio/ktor/client/statement/HttpStatement;Lkotlin/coroutines/Continuation;)V @@ -16637,12 +16720,13 @@ PLio/ktor/client/utils/ClientEventsKt;->getHttpResponseReceived()Lio/ktor/events PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->()V PLio/ktor/client/utils/EmptyContent;->getContentLength()Ljava/lang/Long; +HPLio/ktor/client/utils/ExceptionUtilsJvmKt;->unwrapCancellationException(Ljava/lang/Throwable;)Ljava/lang/Throwable; PLio/ktor/client/utils/HeadersKt;->buildHeaders(Lkotlin/jvm/functions/Function1;)Lio/ktor/http/Headers; PLio/ktor/events/EventDefinition;->()V PLio/ktor/events/Events;->()V -PLio/ktor/events/Events;->raise(Lio/ktor/events/EventDefinition;Ljava/lang/Object;)V +HPLio/ktor/events/Events;->raise(Lio/ktor/events/EventDefinition;Ljava/lang/Object;)V PLio/ktor/http/CodecsKt;->()V -PLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; +HPLio/ktor/http/CodecsKt;->decodeScan(Ljava/lang/String;IIZLjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart$default(Ljava/lang/String;IILjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLPart(Ljava/lang/String;IILjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->decodeURLQueryComponent$default(Ljava/lang/String;IIZLjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; @@ -16650,7 +16734,7 @@ PLio/ktor/http/CodecsKt;->decodeURLQueryComponent(Ljava/lang/String;IIZLjava/nio PLio/ktor/http/CodecsKt;->encodeURLQueryComponent$default(Ljava/lang/String;ZZLjava/nio/charset/Charset;ILjava/lang/Object;)Ljava/lang/String; HPLio/ktor/http/CodecsKt;->encodeURLQueryComponent(Ljava/lang/String;ZZLjava/nio/charset/Charset;)Ljava/lang/String; PLio/ktor/http/CodecsKt;->forEach(Lio/ktor/utils/io/core/ByteReadPacket;Lkotlin/jvm/functions/Function1;)V -PLio/ktor/http/CodecsKt$encodeURLQueryComponent$1$1;->(ZLjava/lang/StringBuilder;Z)V +HPLio/ktor/http/CodecsKt$encodeURLQueryComponent$1$1;->(ZLjava/lang/StringBuilder;Z)V PLio/ktor/http/EmptyHeaders;->()V PLio/ktor/http/EmptyHeaders;->()V PLio/ktor/http/EmptyHeaders;->entries()Ljava/util/Set; @@ -16688,8 +16772,8 @@ PLio/ktor/http/HttpHeaders;->getIfUnmodifiedSince()Ljava/lang/String; PLio/ktor/http/HttpHeaders;->getLastModified()Ljava/lang/String; PLio/ktor/http/HttpHeaders;->getUnsafeHeadersList()Ljava/util/List; PLio/ktor/http/HttpHeaders;->getUserAgent()Ljava/lang/String; -PLio/ktor/http/HttpHeadersKt;->access$isDelimiter(C)Z -PLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z +HPLio/ktor/http/HttpHeadersKt;->access$isDelimiter(C)Z +HPLio/ktor/http/HttpHeadersKt;->isDelimiter(C)Z PLio/ktor/http/HttpMessagePropertiesKt;->contentType(Lio/ktor/http/HttpMessageBuilder;)Lio/ktor/http/ContentType; PLio/ktor/http/HttpMethod;->()V PLio/ktor/http/HttpMethod;->(Ljava/lang/String;)V @@ -16825,11 +16909,11 @@ PLio/ktor/http/Parameters$Companion;->()V PLio/ktor/http/Parameters$Companion;->()V PLio/ktor/http/Parameters$Companion;->getEmpty()Lio/ktor/http/Parameters; PLio/ktor/http/ParametersBuilderImpl;->(I)V -PLio/ktor/http/ParametersBuilderImpl;->build()Lio/ktor/http/Parameters; +HPLio/ktor/http/ParametersBuilderImpl;->build()Lio/ktor/http/Parameters; PLio/ktor/http/ParametersImpl;->(Ljava/util/Map;)V PLio/ktor/http/ParametersKt;->ParametersBuilder$default(IILjava/lang/Object;)Lio/ktor/http/ParametersBuilder; HPLio/ktor/http/ParametersKt;->ParametersBuilder(I)Lio/ktor/http/ParametersBuilder; -PLio/ktor/http/QueryKt;->appendParam(Lio/ktor/http/ParametersBuilder;Ljava/lang/String;IIIZ)V +HPLio/ktor/http/QueryKt;->appendParam(Lio/ktor/http/ParametersBuilder;Ljava/lang/String;IIIZ)V PLio/ktor/http/QueryKt;->parse(Lio/ktor/http/ParametersBuilder;Ljava/lang/String;IIZ)V PLio/ktor/http/QueryKt;->parseQueryString$default(Ljava/lang/String;IIZILjava/lang/Object;)Lio/ktor/http/Parameters; PLio/ktor/http/QueryKt;->parseQueryString(Ljava/lang/String;IIZ)Lio/ktor/http/Parameters; @@ -16839,8 +16923,8 @@ PLio/ktor/http/URLBuilder;->()V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;Z)V HPLio/ktor/http/URLBuilder;->(Lio/ktor/http/URLProtocol;Ljava/lang/String;ILjava/lang/String;Ljava/lang/String;Ljava/util/List;Lio/ktor/http/Parameters;Ljava/lang/String;ZILkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/http/URLBuilder;->applyOrigin()V -PLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; -PLio/ktor/http/URLBuilder;->buildString()Ljava/lang/String; +HPLio/ktor/http/URLBuilder;->build()Lio/ktor/http/Url; +HPLio/ktor/http/URLBuilder;->buildString()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getEncodedParameters()Lio/ktor/http/ParametersBuilder; PLio/ktor/http/URLBuilder;->getEncodedPassword()Ljava/lang/String; @@ -16849,19 +16933,19 @@ PLio/ktor/http/URLBuilder;->getEncodedUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getFragment()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getHost()Ljava/lang/String; PLio/ktor/http/URLBuilder;->getPassword()Ljava/lang/String; -PLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; +HPLio/ktor/http/URLBuilder;->getPathSegments()Ljava/util/List; PLio/ktor/http/URLBuilder;->getPort()I PLio/ktor/http/URLBuilder;->getProtocol()Lio/ktor/http/URLProtocol; PLio/ktor/http/URLBuilder;->getTrailingQuery()Z PLio/ktor/http/URLBuilder;->getUser()Ljava/lang/String; PLio/ktor/http/URLBuilder;->setEncodedFragment(Ljava/lang/String;)V -PLio/ktor/http/URLBuilder;->setEncodedParameters(Lio/ktor/http/ParametersBuilder;)V +HPLio/ktor/http/URLBuilder;->setEncodedParameters(Lio/ktor/http/ParametersBuilder;)V PLio/ktor/http/URLBuilder;->setEncodedPassword(Ljava/lang/String;)V HPLio/ktor/http/URLBuilder;->setEncodedPathSegments(Ljava/util/List;)V PLio/ktor/http/URLBuilder;->setEncodedUser(Ljava/lang/String;)V -PLio/ktor/http/URLBuilder;->setHost(Ljava/lang/String;)V +HPLio/ktor/http/URLBuilder;->setHost(Ljava/lang/String;)V PLio/ktor/http/URLBuilder;->setPort(I)V -PLio/ktor/http/URLBuilder;->setProtocol(Lio/ktor/http/URLProtocol;)V +HPLio/ktor/http/URLBuilder;->setProtocol(Lio/ktor/http/URLProtocol;)V PLio/ktor/http/URLBuilder;->setTrailingQuery(Z)V PLio/ktor/http/URLBuilder;->toString()Ljava/lang/String; PLio/ktor/http/URLBuilder$Companion;->()V @@ -16870,16 +16954,16 @@ PLio/ktor/http/URLBuilderJvmKt;->getOrigin(Lio/ktor/http/URLBuilder$Companion;)L PLio/ktor/http/URLBuilderKt;->access$appendTo(Lio/ktor/http/URLBuilder;Ljava/lang/Appendable;)Ljava/lang/Appendable; HPLio/ktor/http/URLBuilderKt;->appendTo(Lio/ktor/http/URLBuilder;Ljava/lang/Appendable;)Ljava/lang/Appendable; HPLio/ktor/http/URLBuilderKt;->getAuthority(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -PLio/ktor/http/URLBuilderKt;->getEncodedPath(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -PLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; -PLio/ktor/http/URLBuilderKt;->joinPath(Ljava/util/List;)Ljava/lang/String; +HPLio/ktor/http/URLBuilderKt;->getEncodedPath(Lio/ktor/http/URLBuilder;)Ljava/lang/String; +HPLio/ktor/http/URLBuilderKt;->getEncodedUserAndPassword(Lio/ktor/http/URLBuilder;)Ljava/lang/String; +HPLio/ktor/http/URLBuilderKt;->joinPath(Ljava/util/List;)Ljava/lang/String; PLio/ktor/http/URLParserKt;->()V PLio/ktor/http/URLParserKt;->count(Ljava/lang/String;IIC)I PLio/ktor/http/URLParserKt;->fillHost(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)V PLio/ktor/http/URLParserKt;->findScheme(Ljava/lang/String;II)I PLio/ktor/http/URLParserKt;->indexOfColonInHostPort(Ljava/lang/String;II)I PLio/ktor/http/URLParserKt;->parseFragment(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)V -PLio/ktor/http/URLParserKt;->parseQuery(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)I +HPLio/ktor/http/URLParserKt;->parseQuery(Lio/ktor/http/URLBuilder;Ljava/lang/String;II)I PLio/ktor/http/URLParserKt;->takeFrom(Lio/ktor/http/URLBuilder;Ljava/lang/String;)Lio/ktor/http/URLBuilder; HPLio/ktor/http/URLParserKt;->takeFromUnsafe(Lio/ktor/http/URLBuilder;Ljava/lang/String;)Lio/ktor/http/URLBuilder; PLio/ktor/http/URLParserKt$parseQuery$1;->(Lio/ktor/http/URLBuilder;)V @@ -16918,9 +17002,9 @@ PLio/ktor/http/Url$encodedUser$2;->(Lio/ktor/http/Url;)V HPLio/ktor/http/UrlDecodedParametersBuilder;->(Lio/ktor/http/ParametersBuilder;)V PLio/ktor/http/UrlDecodedParametersBuilder;->build()Lio/ktor/http/Parameters; HPLio/ktor/http/UrlDecodedParametersBuilderKt;->appendAllDecoded(Lio/ktor/util/StringValuesBuilder;Lio/ktor/util/StringValuesBuilder;)V -PLio/ktor/http/UrlDecodedParametersBuilderKt;->appendAllEncoded(Lio/ktor/util/StringValuesBuilder;Lio/ktor/util/StringValues;)V +HPLio/ktor/http/UrlDecodedParametersBuilderKt;->appendAllEncoded(Lio/ktor/util/StringValuesBuilder;Lio/ktor/util/StringValues;)V PLio/ktor/http/UrlDecodedParametersBuilderKt;->decodeParameters(Lio/ktor/util/StringValuesBuilder;)Lio/ktor/http/Parameters; -PLio/ktor/http/UrlDecodedParametersBuilderKt;->encodeParameters(Lio/ktor/util/StringValues;)Lio/ktor/http/ParametersBuilder; +HPLio/ktor/http/UrlDecodedParametersBuilderKt;->encodeParameters(Lio/ktor/util/StringValues;)Lio/ktor/http/ParametersBuilder; PLio/ktor/http/content/NullBody;->()V PLio/ktor/http/content/NullBody;->()V PLio/ktor/http/content/OutgoingContent;->()V @@ -16933,19 +17017,19 @@ HPLio/ktor/util/AttributeKey;->hashCode()I PLio/ktor/util/Attributes$DefaultImpls;->get(Lio/ktor/util/Attributes;Lio/ktor/util/AttributeKey;)Ljava/lang/Object; PLio/ktor/util/AttributesJvmBase;->()V PLio/ktor/util/AttributesJvmBase;->get(Lio/ktor/util/AttributeKey;)Ljava/lang/Object; -PLio/ktor/util/AttributesJvmBase;->getAllKeys()Ljava/util/List; +HPLio/ktor/util/AttributesJvmBase;->getAllKeys()Ljava/util/List; HPLio/ktor/util/AttributesJvmBase;->getOrNull(Lio/ktor/util/AttributeKey;)Ljava/lang/Object; -PLio/ktor/util/AttributesJvmBase;->put(Lio/ktor/util/AttributeKey;Ljava/lang/Object;)V -PLio/ktor/util/AttributesJvmBase;->remove(Lio/ktor/util/AttributeKey;)V -PLio/ktor/util/AttributesJvmKt;->Attributes(Z)Lio/ktor/util/Attributes; +HPLio/ktor/util/AttributesJvmBase;->put(Lio/ktor/util/AttributeKey;Ljava/lang/Object;)V +HPLio/ktor/util/AttributesJvmBase;->remove(Lio/ktor/util/AttributeKey;)V +HPLio/ktor/util/AttributesJvmKt;->Attributes(Z)Lio/ktor/util/Attributes; HPLio/ktor/util/AttributesKt;->putAll(Lio/ktor/util/Attributes;Lio/ktor/util/Attributes;)V PLio/ktor/util/CacheKt;->createLRUCache(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;I)Ljava/util/Map; HPLio/ktor/util/CaseInsensitiveMap;->()V -PLio/ktor/util/CaseInsensitiveMap;->entrySet()Ljava/util/Set; +HPLio/ktor/util/CaseInsensitiveMap;->entrySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->get(Ljava/lang/String;)Ljava/lang/Object; HPLio/ktor/util/CaseInsensitiveMap;->getEntries()Ljava/util/Set; -PLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; +HPLio/ktor/util/CaseInsensitiveMap;->getKeys()Ljava/util/Set; PLio/ktor/util/CaseInsensitiveMap;->isEmpty()Z PLio/ktor/util/CaseInsensitiveMap;->keySet()Ljava/util/Set; HPLio/ktor/util/CaseInsensitiveMap;->put(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; @@ -16963,30 +17047,30 @@ PLio/ktor/util/CaseInsensitiveMap$keys$1;->invoke(Ljava/lang/Object;)Ljava/lang/ PLio/ktor/util/CaseInsensitiveMap$keys$2;->()V PLio/ktor/util/CaseInsensitiveMap$keys$2;->()V HPLio/ktor/util/CaseInsensitiveString;->(Ljava/lang/String;)V -PLio/ktor/util/CaseInsensitiveString;->equals(Ljava/lang/Object;)Z -PLio/ktor/util/CaseInsensitiveString;->getContent()Ljava/lang/String; -PLio/ktor/util/CaseInsensitiveString;->hashCode()I +HPLio/ktor/util/CaseInsensitiveString;->equals(Ljava/lang/Object;)Z +HPLio/ktor/util/CaseInsensitiveString;->getContent()Ljava/lang/String; +HPLio/ktor/util/CaseInsensitiveString;->hashCode()I PLio/ktor/util/CharsetKt;->isLowerCase(C)Z PLio/ktor/util/CharsetKt;->toCharArray(Ljava/lang/String;)[C HPLio/ktor/util/CollectionsJvmKt;->unmodifiable(Ljava/util/Set;)Ljava/util/Set; HPLio/ktor/util/CollectionsKt;->caseInsensitiveMap()Ljava/util/Map; -PLio/ktor/util/ConcurrentSafeAttributes;->()V -PLio/ktor/util/ConcurrentSafeAttributes;->computeIfAbsent(Lio/ktor/util/AttributeKey;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; +HPLio/ktor/util/ConcurrentSafeAttributes;->()V +HPLio/ktor/util/ConcurrentSafeAttributes;->computeIfAbsent(Lio/ktor/util/AttributeKey;Lkotlin/jvm/functions/Function0;)Ljava/lang/Object; HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/Map; -PLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; +HPLio/ktor/util/ConcurrentSafeAttributes;->getMap()Ljava/util/concurrent/ConcurrentHashMap; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor$default(Lkotlinx/coroutines/Job;ILjava/lang/Object;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt;->SilentSupervisor(Lkotlinx/coroutines/Job;)Lkotlin/coroutines/CoroutineContext; PLio/ktor/util/CoroutinesUtilsKt$SilentSupervisor$$inlined$CoroutineExceptionHandler$1;->(Lkotlinx/coroutines/CoroutineExceptionHandler$Key;)V HPLio/ktor/util/DelegatingMutableSet;->(Ljava/util/Set;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;)V -PLio/ktor/util/DelegatingMutableSet;->access$getConvertTo$p(Lio/ktor/util/DelegatingMutableSet;)Lkotlin/jvm/functions/Function1; -PLio/ktor/util/DelegatingMutableSet;->access$getDelegate$p(Lio/ktor/util/DelegatingMutableSet;)Ljava/util/Set; +HPLio/ktor/util/DelegatingMutableSet;->access$getConvertTo$p(Lio/ktor/util/DelegatingMutableSet;)Lkotlin/jvm/functions/Function1; +HPLio/ktor/util/DelegatingMutableSet;->access$getDelegate$p(Lio/ktor/util/DelegatingMutableSet;)Ljava/util/Set; HPLio/ktor/util/DelegatingMutableSet;->iterator()Ljava/util/Iterator; HPLio/ktor/util/DelegatingMutableSet$iterator$1;->(Lio/ktor/util/DelegatingMutableSet;)V -PLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z +HPLio/ktor/util/DelegatingMutableSet$iterator$1;->hasNext()Z HPLio/ktor/util/DelegatingMutableSet$iterator$1;->next()Ljava/lang/Object; HPLio/ktor/util/Entry;->(Ljava/lang/Object;Ljava/lang/Object;)V HPLio/ktor/util/Entry;->getKey()Ljava/lang/Object; -PLio/ktor/util/Entry;->getValue()Ljava/lang/Object; +HPLio/ktor/util/Entry;->getValue()Ljava/lang/Object; PLio/ktor/util/LRUCache;->(Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function1;I)V PLio/ktor/util/LRUCache;->get(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/LRUCache;->getSize()I @@ -17005,11 +17089,11 @@ PLio/ktor/util/PlatformUtilsJvmKt;->isNewMemoryModel(Lio/ktor/util/PlatformUtils PLio/ktor/util/StringValues$DefaultImpls;->forEach(Lio/ktor/util/StringValues;Lkotlin/jvm/functions/Function2;)V PLio/ktor/util/StringValues$DefaultImpls;->get(Lio/ktor/util/StringValues;Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->(ZI)V -PLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V +HPLio/ktor/util/StringValuesBuilderImpl;->append(Ljava/lang/String;Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl;->appendAll(Lio/ktor/util/StringValues;)V HPLio/ktor/util/StringValuesBuilderImpl;->appendAll(Ljava/lang/String;Ljava/lang/Iterable;)V HPLio/ktor/util/StringValuesBuilderImpl;->ensureListForKey(Ljava/lang/String;)Ljava/util/List; -PLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; +HPLio/ktor/util/StringValuesBuilderImpl;->entries()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->get(Ljava/lang/String;)Ljava/lang/String; HPLio/ktor/util/StringValuesBuilderImpl;->getAll(Ljava/lang/String;)Ljava/util/List; PLio/ktor/util/StringValuesBuilderImpl;->getCaseInsensitiveName()Z @@ -17018,7 +17102,7 @@ PLio/ktor/util/StringValuesBuilderImpl;->isEmpty()Z PLio/ktor/util/StringValuesBuilderImpl;->names()Ljava/util/Set; PLio/ktor/util/StringValuesBuilderImpl;->set(Ljava/lang/String;Ljava/lang/String;)V HPLio/ktor/util/StringValuesBuilderImpl;->validateName(Ljava/lang/String;)V -PLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V +HPLio/ktor/util/StringValuesBuilderImpl;->validateValue(Ljava/lang/String;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->(Lio/ktor/util/StringValuesBuilderImpl;)V PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/StringValuesBuilderImpl$appendAll$1;->invoke(Ljava/lang/String;Ljava/util/List;)V @@ -17033,7 +17117,7 @@ PLio/ktor/util/TextKt;->toLowerCasePreservingASCII(C)C PLio/ktor/util/TextKt;->toLowerCasePreservingASCIIRules(Ljava/lang/String;)Ljava/lang/String; PLio/ktor/util/collections/CopyOnWriteHashMap;->()V PLio/ktor/util/collections/CopyOnWriteHashMap;->()V -PLio/ktor/util/collections/CopyOnWriteHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; +HPLio/ktor/util/collections/CopyOnWriteHashMap;->get(Ljava/lang/Object;)Ljava/lang/Object; PLio/ktor/util/date/DateJvmKt;->()V PLio/ktor/util/date/DateJvmKt;->GMTDate$default(Ljava/lang/Long;ILjava/lang/Object;)Lio/ktor/util/date/GMTDate; PLio/ktor/util/date/DateJvmKt;->GMTDate(Ljava/lang/Long;)Lio/ktor/util/date/GMTDate; @@ -17086,9 +17170,9 @@ PLio/ktor/util/pipeline/Pipeline;->notSharedInterceptorsList(Ljava/util/List;)V PLio/ktor/util/pipeline/Pipeline;->resetInterceptorsList()V PLio/ktor/util/pipeline/Pipeline;->setInterceptors(Ljava/util/List;)V PLio/ktor/util/pipeline/Pipeline;->setInterceptorsListFromPhase(Lio/ktor/util/pipeline/PhaseContent;)V -PLio/ktor/util/pipeline/Pipeline;->sharedInterceptorsList()Ljava/util/List; +HPLio/ktor/util/pipeline/Pipeline;->sharedInterceptorsList()Ljava/util/List; PLio/ktor/util/pipeline/Pipeline;->tryAddToPhaseFastPath(Lio/ktor/util/pipeline/PipelinePhase;Lkotlin/jvm/functions/Function3;)Z -PLio/ktor/util/pipeline/PipelineContext;->(Ljava/lang/Object;)V +HPLio/ktor/util/pipeline/PipelineContext;->(Ljava/lang/Object;)V PLio/ktor/util/pipeline/PipelineContext;->getContext()Ljava/lang/Object; HPLio/ktor/util/pipeline/PipelineContextKt;->pipelineContextFor(Ljava/lang/Object;Ljava/util/List;Ljava/lang/Object;Lkotlin/coroutines/CoroutineContext;Z)Lio/ktor/util/pipeline/PipelineContext; PLio/ktor/util/pipeline/PipelineContext_jvmKt;->()V @@ -17100,23 +17184,26 @@ PLio/ktor/util/pipeline/PipelinePhaseRelation$After;->(Lio/ktor/util/pipel PLio/ktor/util/pipeline/PipelinePhaseRelation$Before;->(Lio/ktor/util/pipeline/PipelinePhase;)V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V PLio/ktor/util/pipeline/PipelinePhaseRelation$Last;->()V +PLio/ktor/util/pipeline/StackTraceRecoverJvmKt;->withCause(Ljava/lang/Throwable;Ljava/lang/Throwable;)Ljava/lang/Throwable; +HPLio/ktor/util/pipeline/StackTraceRecoverKt;->recoverStackTraceBridge(Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Throwable; HPLio/ktor/util/pipeline/SuspendFunctionGun;->(Ljava/lang/Object;Ljava/lang/Object;Ljava/util/List;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getLastSuspensionIndex$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)I PLio/ktor/util/pipeline/SuspendFunctionGun;->access$getSuspensions$p(Lio/ktor/util/pipeline/SuspendFunctionGun;)[Lkotlin/coroutines/Continuation; PLio/ktor/util/pipeline/SuspendFunctionGun;->access$loop(Lio/ktor/util/pipeline/SuspendFunctionGun;Z)Z +PLio/ktor/util/pipeline/SuspendFunctionGun;->access$resumeRootWith(Lio/ktor/util/pipeline/SuspendFunctionGun;Ljava/lang/Object;)V HPLio/ktor/util/pipeline/SuspendFunctionGun;->addContinuation(Lkotlin/coroutines/Continuation;)V PLio/ktor/util/pipeline/SuspendFunctionGun;->discardLastRootContinuation()V HPLio/ktor/util/pipeline/SuspendFunctionGun;->execute$ktor_utils(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/util/pipeline/SuspendFunctionGun;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; -PLio/ktor/util/pipeline/SuspendFunctionGun;->getSubject()Ljava/lang/Object; +HPLio/ktor/util/pipeline/SuspendFunctionGun;->getSubject()Ljava/lang/Object; HPLio/ktor/util/pipeline/SuspendFunctionGun;->loop(Z)Z HPLio/ktor/util/pipeline/SuspendFunctionGun;->proceed(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/util/pipeline/SuspendFunctionGun;->proceedWith(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/util/pipeline/SuspendFunctionGun;->resumeRootWith(Ljava/lang/Object;)V -PLio/ktor/util/pipeline/SuspendFunctionGun;->setSubject(Ljava/lang/Object;)V +HPLio/ktor/util/pipeline/SuspendFunctionGun;->setSubject(Ljava/lang/Object;)V PLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->(Lio/ktor/util/pipeline/SuspendFunctionGun;)V HPLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->getContext()Lkotlin/coroutines/CoroutineContext; -PLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->resumeWith(Ljava/lang/Object;)V +HPLio/ktor/util/pipeline/SuspendFunctionGun$continuation$1;->resumeWith(Ljava/lang/Object;)V PLio/ktor/util/reflect/TypeInfo;->(Lkotlin/reflect/KClass;Ljava/lang/reflect/Type;Lkotlin/reflect/KType;)V PLio/ktor/util/reflect/TypeInfo;->getType()Lkotlin/reflect/KClass; PLio/ktor/util/reflect/TypeInfoJvmKt;->instanceOf(Ljava/lang/Object;Lkotlin/reflect/KClass;)Z @@ -17145,7 +17232,8 @@ HPLio/ktor/utils/io/ByteBufferChannel;->carryIndex(Ljava/nio/ByteBuffer;I)I HPLio/ktor/utils/io/ByteBufferChannel;->close(Ljava/lang/Throwable;)Z HPLio/ktor/utils/io/ByteBufferChannel;->copyDirect$ktor_io(Lio/ktor/utils/io/ByteBufferChannel;JLio/ktor/utils/io/internal/JoiningState;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLio/ktor/utils/io/ByteBufferChannel;->currentState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState; -HPLio/ktor/utils/io/ByteBufferChannel;->flush()V +PLio/ktor/utils/io/ByteBufferChannel;->flush()V +HPLio/ktor/utils/io/ByteBufferChannel;->flushImpl(I)V PLio/ktor/utils/io/ByteBufferChannel;->getAutoFlush()Z PLio/ktor/utils/io/ByteBufferChannel;->getAvailableForRead()I HPLio/ktor/utils/io/ByteBufferChannel;->getClosed()Lio/ktor/utils/io/internal/ClosedElement; @@ -17155,7 +17243,7 @@ HPLio/ktor/utils/io/ByteBufferChannel;->getState()Lio/ktor/utils/io/internal/Rea PLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesRead()J HPLio/ktor/utils/io/ByteBufferChannel;->getTotalBytesWritten()J HPLio/ktor/utils/io/ByteBufferChannel;->getWriteOp()Lkotlin/coroutines/Continuation; -HPLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z +PLio/ktor/utils/io/ByteBufferChannel;->isClosedForRead()Z HPLio/ktor/utils/io/ByteBufferChannel;->newBuffer()Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial; HPLio/ktor/utils/io/ByteBufferChannel;->prepareBuffer(Ljava/nio/ByteBuffer;II)V HPLio/ktor/utils/io/ByteBufferChannel;->read$suspendImpl(Lio/ktor/utils/io/ByteBufferChannel;ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -17163,7 +17251,7 @@ PLio/ktor/utils/io/ByteBufferChannel;->read(ILkotlin/jvm/functions/Function1;Lko HPLio/ktor/utils/io/ByteBufferChannel;->readBlockSuspend(ILkotlin/jvm/functions/Function1;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspend(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLio/ktor/utils/io/ByteBufferChannel;->readSuspendImpl(ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -HPLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V +PLio/ktor/utils/io/ByteBufferChannel;->releaseBuffer(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V PLio/ktor/utils/io/ByteBufferChannel;->resolveChannelInstance$ktor_io()Lio/ktor/utils/io/ByteBufferChannel; HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterRead()V HPLio/ktor/utils/io/ByteBufferChannel;->restoreStateAfterWrite$ktor_io()V @@ -17250,9 +17338,9 @@ PLio/ktor/utils/io/core/Buffer$Companion;->()V PLio/ktor/utils/io/core/Buffer$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLio/ktor/utils/io/core/BufferFactoryKt;->()V PLio/ktor/utils/io/core/BufferFactoryKt;->getDefaultChunkedBufferPool()Lio/ktor/utils/io/pool/ObjectPool; -PLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;)V -PLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;ILkotlin/jvm/internal/DefaultConstructorMarker;)V -PLio/ktor/utils/io/core/BytePacketBuilder;->build()Lio/ktor/utils/io/core/ByteReadPacket; +HPLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;)V +HPLio/ktor/utils/io/core/BytePacketBuilder;->(Lio/ktor/utils/io/pool/ObjectPool;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +HPLio/ktor/utils/io/core/BytePacketBuilder;->build()Lio/ktor/utils/io/core/ByteReadPacket; PLio/ktor/utils/io/core/BytePacketBuilder;->getSize()I PLio/ktor/utils/io/core/ByteReadPacket;->()V PLio/ktor/utils/io/core/ByteReadPacket;->(Lio/ktor/utils/io/core/internal/ChunkBuffer;JLio/ktor/utils/io/pool/ObjectPool;)V @@ -17265,16 +17353,16 @@ PLio/ktor/utils/io/core/DefaultBufferPool;->(IILio/ktor/utils/io/bits/Allo PLio/ktor/utils/io/core/Input;->()V PLio/ktor/utils/io/core/Input;->(Lio/ktor/utils/io/core/internal/ChunkBuffer;JLio/ktor/utils/io/pool/ObjectPool;)V PLio/ktor/utils/io/core/Input;->doFill()Lio/ktor/utils/io/core/internal/ChunkBuffer; -PLio/ktor/utils/io/core/Input;->getHead()Lio/ktor/utils/io/core/internal/ChunkBuffer; +HPLio/ktor/utils/io/core/Input;->getHead()Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/core/Input;->getHeadEndExclusive()I PLio/ktor/utils/io/core/Input;->getHeadPosition()I PLio/ktor/utils/io/core/Input;->markNoMoreChunksAvailable()V PLio/ktor/utils/io/core/Input;->prepareReadHead$ktor_io(I)Lio/ktor/utils/io/core/internal/ChunkBuffer; -PLio/ktor/utils/io/core/Input;->prepareReadLoop(ILio/ktor/utils/io/core/internal/ChunkBuffer;)Lio/ktor/utils/io/core/internal/ChunkBuffer; +HPLio/ktor/utils/io/core/Input;->prepareReadLoop(ILio/ktor/utils/io/core/internal/ChunkBuffer;)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/core/Input$Companion;->()V PLio/ktor/utils/io/core/Input$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V HPLio/ktor/utils/io/core/Output;->(Lio/ktor/utils/io/pool/ObjectPool;)V -PLio/ktor/utils/io/core/Output;->get_size()I +HPLio/ktor/utils/io/core/Output;->get_size()I PLio/ktor/utils/io/core/Output;->stealAll$ktor_io()Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/core/internal/ChunkBuffer;->()V PLio/ktor/utils/io/core/internal/ChunkBuffer;->(Ljava/nio/ByteBuffer;Lio/ktor/utils/io/core/internal/ChunkBuffer;Lio/ktor/utils/io/pool/ObjectPool;)V @@ -17291,7 +17379,7 @@ PLio/ktor/utils/io/core/internal/ChunkBuffer$Companion$EmptyPool$1;->()V PLio/ktor/utils/io/core/internal/ChunkBuffer$Companion$NoPool$1;->()V PLio/ktor/utils/io/core/internal/ChunkBuffer$Companion$NoPoolManuallyManaged$1;->()V PLio/ktor/utils/io/core/internal/UnsafeKt;->()V -PLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; +HPLio/ktor/utils/io/core/internal/UnsafeKt;->prepareReadFirstHead(Lio/ktor/utils/io/core/Input;I)Lio/ktor/utils/io/core/internal/ChunkBuffer; PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->()V PLio/ktor/utils/io/internal/CancellableReusableContinuation;->close(Ljava/lang/Object;)V @@ -17333,7 +17421,7 @@ HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getIdleState$ktor_io PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Reading; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getReadingWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$ReadingWriting; -HPLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; +PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWriteBuffer()Ljava/nio/ByteBuffer; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->getWritingState$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Initial;->startWriting$ktor_io()Lio/ktor/utils/io/internal/ReadWriteBufferState$Writing; PLio/ktor/utils/io/internal/ReadWriteBufferState$Reading;->(Lio/ktor/utils/io/internal/ReadWriteBufferState$Initial;)V @@ -17363,7 +17451,7 @@ HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeRead(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->completeWrite(I)V HPLio/ktor/utils/io/internal/RingBufferCapacity;->flush()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->isEmpty()Z -HPLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z +PLio/ktor/utils/io/internal/RingBufferCapacity;->isFull()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->resetForWrite()V HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryLockForRelease()Z HPLio/ktor/utils/io/internal/RingBufferCapacity;->tryReadExact(I)Z @@ -17380,14 +17468,14 @@ PLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/lang/Object;)L HPLio/ktor/utils/io/jvm/nio/WritingKt$copyTo$copy$1;->invoke(Ljava/nio/ByteBuffer;)V PLio/ktor/utils/io/pool/DefaultPool;->()V PLio/ktor/utils/io/pool/DefaultPool;->(I)V -HPLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; +PLio/ktor/utils/io/pool/DefaultPool;->borrow()Ljava/lang/Object; PLio/ktor/utils/io/pool/DefaultPool;->clearInstance(Ljava/lang/Object;)Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->popTop()I HPLio/ktor/utils/io/pool/DefaultPool;->pushTop(I)V HPLio/ktor/utils/io/pool/DefaultPool;->recycle(Ljava/lang/Object;)V HPLio/ktor/utils/io/pool/DefaultPool;->tryPop()Ljava/lang/Object; HPLio/ktor/utils/io/pool/DefaultPool;->tryPush(Ljava/lang/Object;)Z -HPLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V +PLio/ktor/utils/io/pool/DefaultPool;->validateInstance(Ljava/lang/Object;)V Lio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0; HPLio/ktor/utils/io/pool/DefaultPool$$ExternalSyntheticBackportWithForwarding0;->m(Ljava/util/concurrent/atomic/AtomicReferenceArray;ILjava/lang/Object;Ljava/lang/Object;)Z PLio/ktor/utils/io/pool/DefaultPool$Companion;->()V @@ -17419,7 +17507,7 @@ HPLkotlin/Pair;->(Ljava/lang/Object;Ljava/lang/Object;)V HSPLkotlin/Pair;->component1()Ljava/lang/Object; HSPLkotlin/Pair;->component2()Ljava/lang/Object; HPLkotlin/Pair;->getFirst()Ljava/lang/Object; -HSPLkotlin/Pair;->getSecond()Ljava/lang/Object; +HPLkotlin/Pair;->getSecond()Ljava/lang/Object; Lkotlin/Result; HSPLkotlin/Result;->()V HPLkotlin/Result;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; @@ -17513,7 +17601,7 @@ HPLkotlin/collections/ArrayAsCollection;->([Ljava/lang/Object;Z)V HSPLkotlin/collections/ArrayAsCollection;->toArray()[Ljava/lang/Object; Lkotlin/collections/ArrayDeque; HSPLkotlin/collections/ArrayDeque;->()V -HSPLkotlin/collections/ArrayDeque;->()V +HPLkotlin/collections/ArrayDeque;->()V PLkotlin/collections/ArrayDeque;->(I)V HSPLkotlin/collections/ArrayDeque;->add(Ljava/lang/Object;)Z PLkotlin/collections/ArrayDeque;->addFirst(Ljava/lang/Object;)V @@ -17523,7 +17611,7 @@ HSPLkotlin/collections/ArrayDeque;->copyElements(I)V PLkotlin/collections/ArrayDeque;->decremented(I)I HPLkotlin/collections/ArrayDeque;->ensureCapacity(I)V PLkotlin/collections/ArrayDeque;->first()Ljava/lang/Object; -PLkotlin/collections/ArrayDeque;->firstOrNull()Ljava/lang/Object; +HPLkotlin/collections/ArrayDeque;->firstOrNull()Ljava/lang/Object; HPLkotlin/collections/ArrayDeque;->get(I)Ljava/lang/Object; HPLkotlin/collections/ArrayDeque;->getSize()I HPLkotlin/collections/ArrayDeque;->incremented(I)I @@ -17556,7 +17644,7 @@ HPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([BII)[B HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->copyOfRange([Ljava/lang/Object;II)[Ljava/lang/Object; HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([IIIIILjava/lang/Object;)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([JJIIILjava/lang/Object;)V -HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V +HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill$default([Ljava/lang/Object;Ljava/lang/Object;IIILjava/lang/Object;)V HSPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([IIII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([JJII)V HPLkotlin/collections/ArraysKt___ArraysJvmKt;->fill([Ljava/lang/Object;Ljava/lang/Object;II)V @@ -17617,14 +17705,12 @@ HPLkotlin/collections/CollectionsKt__MutableCollectionsKt;->addAll(Ljava/util/Co Lkotlin/collections/CollectionsKt__ReversedViewsKt; Lkotlin/collections/CollectionsKt___CollectionsJvmKt; Lkotlin/collections/CollectionsKt___CollectionsKt; -PLkotlin/collections/CollectionsKt___CollectionsKt;->contains(Ljava/lang/Iterable;Ljava/lang/Object;)Z HPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/lang/Iterable;)Ljava/lang/Object; HSPLkotlin/collections/CollectionsKt___CollectionsKt;->first(Ljava/util/List;)Ljava/lang/Object; HPLkotlin/collections/CollectionsKt___CollectionsKt;->firstOrNull(Ljava/util/List;)Ljava/lang/Object; HPLkotlin/collections/CollectionsKt___CollectionsKt;->getOrNull(Ljava/util/List;I)Ljava/lang/Object; -PLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/lang/Iterable;Ljava/lang/Object;)I HSPLkotlin/collections/CollectionsKt___CollectionsKt;->indexOf(Ljava/util/List;Ljava/lang/Object;)I -PLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo$default(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/Appendable; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo$default(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/Appendable; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinTo(Ljava/lang/Iterable;Ljava/lang/Appendable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;)Ljava/lang/Appendable; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString$default(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Ljava/lang/String; HPLkotlin/collections/CollectionsKt___CollectionsKt;->joinToString(Ljava/lang/Iterable;Ljava/lang/CharSequence;Ljava/lang/CharSequence;Ljava/lang/CharSequence;ILjava/lang/CharSequence;Lkotlin/jvm/functions/Function1;)Ljava/lang/String; @@ -17632,7 +17718,7 @@ HPLkotlin/collections/CollectionsKt___CollectionsKt;->last(Ljava/util/List;)Ljav HSPLkotlin/collections/CollectionsKt___CollectionsKt;->lastOrNull(Ljava/util/List;)Ljava/lang/Object; HPLkotlin/collections/CollectionsKt___CollectionsKt;->minus(Ljava/lang/Iterable;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/lang/Iterable;Ljava/lang/Iterable;)Ljava/util/List; -PLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Iterable;)Ljava/util/List; +HPLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Iterable;)Ljava/util/List; HPLkotlin/collections/CollectionsKt___CollectionsKt;->plus(Ljava/util/Collection;Ljava/lang/Object;)Ljava/util/List; PLkotlin/collections/CollectionsKt___CollectionsKt;->reversed(Ljava/lang/Iterable;)Ljava/util/List; HPLkotlin/collections/CollectionsKt___CollectionsKt;->singleOrNull(Ljava/util/List;)Ljava/lang/Object; @@ -17653,7 +17739,7 @@ HSPLkotlin/collections/EmptyList;->()V HSPLkotlin/collections/EmptyList;->contains(Ljava/lang/Object;)Z HSPLkotlin/collections/EmptyList;->getSize()I HSPLkotlin/collections/EmptyList;->isEmpty()Z -PLkotlin/collections/EmptyList;->iterator()Ljava/util/Iterator; +HPLkotlin/collections/EmptyList;->iterator()Ljava/util/Iterator; HPLkotlin/collections/EmptyList;->size()I HSPLkotlin/collections/EmptyList;->toArray()[Ljava/lang/Object; Lkotlin/collections/EmptyMap; @@ -17680,13 +17766,13 @@ PLkotlin/collections/EmptySet;->getSize()I PLkotlin/collections/EmptySet;->hashCode()I PLkotlin/collections/EmptySet;->isEmpty()Z HPLkotlin/collections/EmptySet;->iterator()Ljava/util/Iterator; -HPLkotlin/collections/EmptySet;->size()I +PLkotlin/collections/EmptySet;->size()I Lkotlin/collections/IntIterator; HPLkotlin/collections/IntIterator;->()V Lkotlin/collections/MapWithDefault; Lkotlin/collections/MapsKt; Lkotlin/collections/MapsKt__MapWithDefaultKt; -HSPLkotlin/collections/MapsKt__MapWithDefaultKt;->getOrImplicitDefaultNullable(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlin/collections/MapsKt__MapWithDefaultKt;->getOrImplicitDefaultNullable(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/collections/MapsKt__MapsJVMKt; HSPLkotlin/collections/MapsKt__MapsJVMKt;->build(Ljava/util/Map;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsJVMKt;->createMapBuilder()Ljava/util/Map; @@ -17696,7 +17782,7 @@ PLkotlin/collections/MapsKt__MapsJVMKt;->mapOf(Lkotlin/Pair;)Ljava/util/Map; PLkotlin/collections/MapsKt__MapsJVMKt;->toSingletonMap(Ljava/util/Map;)Ljava/util/Map; Lkotlin/collections/MapsKt__MapsKt; HPLkotlin/collections/MapsKt__MapsKt;->emptyMap()Ljava/util/Map; -HSPLkotlin/collections/MapsKt__MapsKt;->getValue(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlin/collections/MapsKt__MapsKt;->getValue(Ljava/util/Map;Ljava/lang/Object;)Ljava/lang/Object; HSPLkotlin/collections/MapsKt__MapsKt;->mapOf([Lkotlin/Pair;)Ljava/util/Map; PLkotlin/collections/MapsKt__MapsKt;->plus(Ljava/util/Map;Ljava/util/Map;)Ljava/util/Map; HSPLkotlin/collections/MapsKt__MapsKt;->putAll(Ljava/util/Map;Ljava/lang/Iterable;)V @@ -17749,7 +17835,7 @@ Lkotlin/collections/builders/ListBuilder$Itr; HSPLkotlin/collections/builders/ListBuilder$Itr;->(Lkotlin/collections/builders/ListBuilder;I)V HSPLkotlin/collections/builders/ListBuilder$Itr;->checkForComodification()V HSPLkotlin/collections/builders/ListBuilder$Itr;->hasNext()Z -HSPLkotlin/collections/builders/ListBuilder$Itr;->next()Ljava/lang/Object; +HPLkotlin/collections/builders/ListBuilder$Itr;->next()Ljava/lang/Object; Lkotlin/collections/builders/ListBuilderKt; HSPLkotlin/collections/builders/ListBuilderKt;->arrayOfUninitializedElements(I)[Ljava/lang/Object; HSPLkotlin/collections/builders/ListBuilderKt;->copyOfUninitializedElements([Ljava/lang/Object;I)[Ljava/lang/Object; @@ -17833,6 +17919,7 @@ PLkotlin/coroutines/AbstractCoroutineContextKey;->isSubKey$kotlin_stdlib(Lkotlin PLkotlin/coroutines/AbstractCoroutineContextKey;->tryCast$kotlin_stdlib(Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext$Element; Lkotlin/coroutines/CombinedContext; HPLkotlin/coroutines/CombinedContext;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)V +HSPLkotlin/coroutines/CombinedContext;->fold(Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)Ljava/lang/Object; HPLkotlin/coroutines/CombinedContext;->get(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext$Element; HPLkotlin/coroutines/CombinedContext;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLkotlin/coroutines/CombinedContext;->plus(Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; @@ -17861,6 +17948,7 @@ Lkotlin/coroutines/CoroutineContext$plus$1; HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HSPLkotlin/coroutines/CoroutineContext$plus$1;->()V HPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlin/coroutines/CoroutineContext$plus$1;->invoke(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext$Element;)Lkotlin/coroutines/CoroutineContext; Lkotlin/coroutines/EmptyCoroutineContext; HSPLkotlin/coroutines/EmptyCoroutineContext;->()V HSPLkotlin/coroutines/EmptyCoroutineContext;->()V @@ -17883,7 +17971,7 @@ PLkotlin/coroutines/jvm/internal/BaseContinuationImpl;->releaseIntercepted()V HPLkotlin/coroutines/jvm/internal/BaseContinuationImpl;->resumeWith(Ljava/lang/Object;)V Lkotlin/coroutines/jvm/internal/Boxing; HPLkotlin/coroutines/jvm/internal/Boxing;->boxBoolean(Z)Ljava/lang/Boolean; -PLkotlin/coroutines/jvm/internal/Boxing;->boxInt(I)Ljava/lang/Integer; +HPLkotlin/coroutines/jvm/internal/Boxing;->boxInt(I)Ljava/lang/Integer; PLkotlin/coroutines/jvm/internal/Boxing;->boxLong(J)Ljava/lang/Long; Lkotlin/coroutines/jvm/internal/CompletedContinuation; HSPLkotlin/coroutines/jvm/internal/CompletedContinuation;->()V @@ -17892,6 +17980,7 @@ Lkotlin/coroutines/jvm/internal/ContinuationImpl; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/CoroutineContext;)V HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->getContext()Lkotlin/coroutines/CoroutineContext; +HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->intercepted()Lkotlin/coroutines/Continuation; HPLkotlin/coroutines/jvm/internal/ContinuationImpl;->releaseIntercepted()V Lkotlin/coroutines/jvm/internal/CoroutineStackFrame; Lkotlin/coroutines/jvm/internal/DebugProbesKt; @@ -17899,7 +17988,7 @@ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineCreated(Lkotlin/ HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineResumed(Lkotlin/coroutines/Continuation;)V HPLkotlin/coroutines/jvm/internal/DebugProbesKt;->probeCoroutineSuspended(Lkotlin/coroutines/Continuation;)V PLkotlin/coroutines/jvm/internal/RestrictedContinuationImpl;->(Lkotlin/coroutines/Continuation;)V -HPLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V +PLkotlin/coroutines/jvm/internal/RestrictedSuspendLambda;->(ILkotlin/coroutines/Continuation;)V Lkotlin/coroutines/jvm/internal/SuspendFunction; Lkotlin/coroutines/jvm/internal/SuspendLambda; HPLkotlin/coroutines/jvm/internal/SuspendLambda;->(ILkotlin/coroutines/Continuation;)V @@ -17919,7 +18008,7 @@ Lkotlin/internal/PlatformImplementationsKt; HSPLkotlin/internal/PlatformImplementationsKt;->()V Lkotlin/internal/ProgressionUtilKt; HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(III)I -PLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J +HPLkotlin/internal/ProgressionUtilKt;->differenceModulo(JJJ)J HPLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(III)I PLkotlin/internal/ProgressionUtilKt;->getProgressionLastElement(JJJ)J HSPLkotlin/internal/ProgressionUtilKt;->mod(II)I @@ -18011,6 +18100,7 @@ HSPLkotlin/jvm/internal/IntCompanionObject;->()V HSPLkotlin/jvm/internal/IntCompanionObject;->()V Lkotlin/jvm/internal/Intrinsics; HSPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Float;F)Z +HPLkotlin/jvm/internal/Intrinsics;->areEqual(Ljava/lang/Object;Ljava/lang/Object;)Z HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNull(Ljava/lang/Object;Ljava/lang/String;)V HPLkotlin/jvm/internal/Intrinsics;->checkNotNullExpressionValue(Ljava/lang/Object;Ljava/lang/String;)V @@ -18069,7 +18159,7 @@ HPLkotlin/jvm/internal/TypeIntrinsics;->castToCollection(Ljava/lang/Object;)Ljav PLkotlin/jvm/internal/TypeIntrinsics;->castToList(Ljava/lang/Object;)Ljava/util/List; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToMap(Ljava/lang/Object;)Ljava/util/Map; HSPLkotlin/jvm/internal/TypeIntrinsics;->castToSet(Ljava/lang/Object;)Ljava/util/Set; -HSPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I +HPLkotlin/jvm/internal/TypeIntrinsics;->getFunctionArity(Ljava/lang/Object;)I HPLkotlin/jvm/internal/TypeIntrinsics;->isFunctionOfArity(Ljava/lang/Object;I)Z HSPLkotlin/jvm/internal/TypeIntrinsics;->isMutableSet(Ljava/lang/Object;)Z PLkotlin/jvm/internal/TypeReference;->()V @@ -18132,7 +18222,7 @@ Lkotlin/ranges/IntProgression; HSPLkotlin/ranges/IntProgression;->()V HPLkotlin/ranges/IntProgression;->(III)V HPLkotlin/ranges/IntProgression;->getFirst()I -HPLkotlin/ranges/IntProgression;->getLast()I +HSPLkotlin/ranges/IntProgression;->getLast()I PLkotlin/ranges/IntProgression;->getStep()I HPLkotlin/ranges/IntProgression;->iterator()Ljava/util/Iterator; HPLkotlin/ranges/IntProgression;->iterator()Lkotlin/collections/IntIterator; @@ -18177,9 +18267,9 @@ HSPLkotlin/ranges/RangesKt___RangesKt;->coerceAtMost(II)I HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(DDD)D HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(FFF)F HPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(III)I -HSPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(JJJ)J +HPLkotlin/ranges/RangesKt___RangesKt;->coerceIn(JJJ)J PLkotlin/ranges/RangesKt___RangesKt;->downTo(II)Lkotlin/ranges/IntProgression; -PLkotlin/ranges/RangesKt___RangesKt;->step(Lkotlin/ranges/IntProgression;I)Lkotlin/ranges/IntProgression; +HPLkotlin/ranges/RangesKt___RangesKt;->step(Lkotlin/ranges/IntProgression;I)Lkotlin/ranges/IntProgression; HSPLkotlin/ranges/RangesKt___RangesKt;->until(II)Lkotlin/ranges/IntRange; Lkotlin/reflect/KAnnotatedElement; Lkotlin/reflect/KCallable; @@ -18200,12 +18290,12 @@ HSPLkotlin/sequences/ConstrainedOnceSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/FilteringSequence; HPLkotlin/sequences/FilteringSequence;->(Lkotlin/sequences/Sequence;ZLkotlin/jvm/functions/Function1;)V HSPLkotlin/sequences/FilteringSequence;->access$getPredicate$p(Lkotlin/sequences/FilteringSequence;)Lkotlin/jvm/functions/Function1; -HSPLkotlin/sequences/FilteringSequence;->access$getSendWhen$p(Lkotlin/sequences/FilteringSequence;)Z +HPLkotlin/sequences/FilteringSequence;->access$getSendWhen$p(Lkotlin/sequences/FilteringSequence;)Z HSPLkotlin/sequences/FilteringSequence;->access$getSequence$p(Lkotlin/sequences/FilteringSequence;)Lkotlin/sequences/Sequence; HPLkotlin/sequences/FilteringSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/FilteringSequence$iterator$1; HPLkotlin/sequences/FilteringSequence$iterator$1;->(Lkotlin/sequences/FilteringSequence;)V -HPLkotlin/sequences/FilteringSequence$iterator$1;->calcNext()V +HSPLkotlin/sequences/FilteringSequence$iterator$1;->calcNext()V HPLkotlin/sequences/FilteringSequence$iterator$1;->hasNext()Z HPLkotlin/sequences/FilteringSequence$iterator$1;->next()Ljava/lang/Object; Lkotlin/sequences/GeneratorSequence; @@ -18256,11 +18346,11 @@ Lkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1; HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->()V HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Boolean; -HPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlin/sequences/SequencesKt___SequencesKt$filterNotNull$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lkotlin/sequences/TransformingSequence; HPLkotlin/sequences/TransformingSequence;->(Lkotlin/sequences/Sequence;Lkotlin/jvm/functions/Function1;)V HSPLkotlin/sequences/TransformingSequence;->access$getSequence$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/sequences/Sequence; -HPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; +HSPLkotlin/sequences/TransformingSequence;->access$getTransformer$p(Lkotlin/sequences/TransformingSequence;)Lkotlin/jvm/functions/Function1; HPLkotlin/sequences/TransformingSequence;->iterator()Ljava/util/Iterator; Lkotlin/sequences/TransformingSequence$iterator$1; HPLkotlin/sequences/TransformingSequence$iterator$1;->(Lkotlin/sequences/TransformingSequence;)V @@ -18272,7 +18362,7 @@ HPLkotlin/text/CharsKt__CharJVMKt;->checkRadix(I)I PLkotlin/text/CharsKt__CharJVMKt;->digitOf(CI)I HPLkotlin/text/CharsKt__CharJVMKt;->isWhitespace(C)Z Lkotlin/text/CharsKt__CharKt; -PLkotlin/text/CharsKt__CharKt;->equals(CCZ)Z +HPLkotlin/text/CharsKt__CharKt;->equals(CCZ)Z PLkotlin/text/CharsKt__CharKt;->titlecase(C)Ljava/lang/String; Lkotlin/text/Charsets; HSPLkotlin/text/Charsets;->()V @@ -18325,7 +18415,7 @@ PLkotlin/text/StringsKt__StringsJVMKt;->endsWith(Ljava/lang/String;Ljava/lang/St HPLkotlin/text/StringsKt__StringsJVMKt;->equals(Ljava/lang/String;Ljava/lang/String;Z)Z PLkotlin/text/StringsKt__StringsJVMKt;->getCASE_INSENSITIVE_ORDER(Lkotlin/jvm/internal/StringCompanionObject;)Ljava/util/Comparator; HPLkotlin/text/StringsKt__StringsJVMKt;->isBlank(Ljava/lang/CharSequence;)Z -HSPLkotlin/text/StringsKt__StringsJVMKt;->regionMatches(Ljava/lang/String;ILjava/lang/String;IIZ)Z +HPLkotlin/text/StringsKt__StringsJVMKt;->regionMatches(Ljava/lang/String;ILjava/lang/String;IIZ)Z PLkotlin/text/StringsKt__StringsJVMKt;->replace$default(Ljava/lang/String;CCZILjava/lang/Object;)Ljava/lang/String; PLkotlin/text/StringsKt__StringsJVMKt;->replace(Ljava/lang/String;CCZ)Ljava/lang/String; PLkotlin/text/StringsKt__StringsJVMKt;->startsWith$default(Ljava/lang/String;Ljava/lang/String;ZILjava/lang/Object;)Z @@ -18353,7 +18443,7 @@ PLkotlin/text/StringsKt__StringsKt;->removeSuffix(Ljava/lang/String;Ljava/lang/C PLkotlin/text/StringsKt__StringsKt;->requireNonNegativeLimit(I)V HPLkotlin/text/StringsKt__StringsKt;->split$StringsKt__StringsKt(Ljava/lang/CharSequence;Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[CZIILjava/lang/Object;)Ljava/util/List; -HPLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; +PLkotlin/text/StringsKt__StringsKt;->split$default(Ljava/lang/CharSequence;[Ljava/lang/String;ZIILjava/lang/Object;)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[CZI)Ljava/util/List; HPLkotlin/text/StringsKt__StringsKt;->split(Ljava/lang/CharSequence;[Ljava/lang/String;ZI)Ljava/util/List; PLkotlin/text/StringsKt__StringsKt;->startsWith$default(Ljava/lang/CharSequence;Ljava/lang/CharSequence;ZILjava/lang/Object;)Z @@ -18368,12 +18458,13 @@ Lkotlin/text/StringsKt___StringsKt; HPLkotlin/text/StringsKt___StringsKt;->last(Ljava/lang/CharSequence;)C HPLkotlin/text/_OneToManyTitlecaseMappingsKt;->titlecaseImpl(C)Ljava/lang/String; PLkotlin/time/Duration;->()V +PLkotlin/time/Duration;->access$getZERO$cp()J PLkotlin/time/Duration;->constructor-impl(J)J PLkotlin/time/Duration;->getInWholeDays-impl(J)J -PLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J +HPLkotlin/time/Duration;->getInWholeMilliseconds-impl(J)J PLkotlin/time/Duration;->getInWholeSeconds-impl(J)J PLkotlin/time/Duration;->getNanosecondsComponent-impl(J)I -PLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; +HPLkotlin/time/Duration;->getStorageUnit-impl(J)Lkotlin/time/DurationUnit; PLkotlin/time/Duration;->getValue-impl(J)J PLkotlin/time/Duration;->isInMillis-impl(J)Z PLkotlin/time/Duration;->isInNanos-impl(J)Z @@ -18382,6 +18473,7 @@ PLkotlin/time/Duration;->plus-LRDsOJo(JJ)J HPLkotlin/time/Duration;->toLong-impl(JLkotlin/time/DurationUnit;)J PLkotlin/time/Duration$Companion;->()V PLkotlin/time/Duration$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V +PLkotlin/time/Duration$Companion;->getZERO-UwyO8pc()J PLkotlin/time/DurationJvmKt;->()V PLkotlin/time/DurationJvmKt;->getDurationAssertionsEnabled()Z PLkotlin/time/DurationKt;->access$durationOfMillis(J)J @@ -18397,11 +18489,11 @@ PLkotlin/time/DurationUnit;->(Ljava/lang/String;ILjava/util/concurrent/Tim PLkotlin/time/DurationUnit;->getTimeUnit$kotlin_stdlib()Ljava/util/concurrent/TimeUnit; HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnit(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J HPLkotlin/time/DurationUnitKt__DurationUnitJvmKt;->convertDurationUnitOverflow(JLkotlin/time/DurationUnit;Lkotlin/time/DurationUnit;)J -PLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J +HPLkotlin/time/LongSaturatedMathKt;->saturatingDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/LongSaturatedMathKt;->saturatingFiniteDiff(JJLkotlin/time/DurationUnit;)J PLkotlin/time/MonotonicTimeSource;->()V PLkotlin/time/MonotonicTimeSource;->()V -PLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J +HPLkotlin/time/MonotonicTimeSource;->elapsedFrom-6eNON_k(J)J PLkotlin/time/MonotonicTimeSource;->markNow-z9LOYto()J PLkotlin/time/MonotonicTimeSource;->read()J PLkotlin/time/TimeSource$Monotonic;->()V @@ -18473,7 +18565,7 @@ HSPLkotlinx/collections/immutable/implementations/immutableList/PersistentVector Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->()V HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->([Ljava/lang/Object;)V -HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; +HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector; HPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->addAll(Ljava/util/Collection;)Lkotlinx/collections/immutable/PersistentList; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->builder()Lkotlinx/collections/immutable/PersistentList$Builder; HSPLkotlinx/collections/immutable/implementations/immutableList/SmallPersistentVector;->get(I)Ljava/lang/Object; @@ -18514,7 +18606,7 @@ HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->(II[Ljava/lang/Object;Lkotlinx/collections/immutable/internal/MutabilityOwnership;)V HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->access$getEMPTY$cp()Lkotlinx/collections/immutable/implementations/immutableMap/TrieNode; -HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z +HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->containsKey(ILjava/lang/Object;I)Z HPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->entryKeyIndex$kotlinx_collections_immutable(I)I HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->get(ILjava/lang/Object;I)Ljava/lang/Object; HSPLkotlinx/collections/immutable/implementations/immutableMap/TrieNode;->hasEntryAt$kotlinx_collections_immutable(I)Z @@ -18594,7 +18686,7 @@ HSPLkotlinx/collections/immutable/internal/MutabilityOwnership;->()V Lkotlinx/coroutines/AbstractCoroutine; HPLkotlinx/coroutines/AbstractCoroutine;->(Lkotlin/coroutines/CoroutineContext;ZZ)V HPLkotlinx/coroutines/AbstractCoroutine;->afterResume(Ljava/lang/Object;)V -PLkotlinx/coroutines/AbstractCoroutine;->cancellationExceptionMessage()Ljava/lang/String; +HPLkotlinx/coroutines/AbstractCoroutine;->cancellationExceptionMessage()Ljava/lang/String; HPLkotlinx/coroutines/AbstractCoroutine;->getContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/AbstractCoroutine;->isActive()Z @@ -18605,7 +18697,7 @@ HPLkotlinx/coroutines/AbstractCoroutine;->resumeWith(Ljava/lang/Object;)V HPLkotlinx/coroutines/AbstractCoroutine;->start(Lkotlinx/coroutines/CoroutineStart;Ljava/lang/Object;Lkotlin/jvm/functions/Function2;)V Lkotlinx/coroutines/AbstractTimeSourceKt; HSPLkotlinx/coroutines/AbstractTimeSourceKt;->()V -HPLkotlinx/coroutines/AbstractTimeSourceKt;->getTimeSource()Lkotlinx/coroutines/AbstractTimeSource; +HPLkotlinx/coroutines/AbstractTimeSourceKt;->access$getTimeSource$p()Lkotlinx/coroutines/AbstractTimeSource; Lkotlinx/coroutines/Active; HSPLkotlinx/coroutines/Active;->()V HSPLkotlinx/coroutines/Active;->()V @@ -18664,6 +18756,7 @@ HPLkotlinx/coroutines/CancellableContinuationImpl;->installParentHandle()Lkotlin HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlin/jvm/functions/Function1;)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V HPLkotlinx/coroutines/CancellableContinuationImpl;->invokeOnCancellationImpl(Ljava/lang/Object;)V +PLkotlinx/coroutines/CancellableContinuationImpl;->isCancelled()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isCompleted()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->isReusable()Z HPLkotlinx/coroutines/CancellableContinuationImpl;->makeCancelHandler(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/CancelHandler; @@ -18728,7 +18821,7 @@ Lkotlinx/coroutines/CopyableThreadContextElement; Lkotlinx/coroutines/CoroutineContextKt; HPLkotlinx/coroutines/CoroutineContextKt;->foldCopies(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext;Z)Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/CoroutineContextKt;->hasCopyableElements(Lkotlin/coroutines/CoroutineContext;)Z -HSPLkotlinx/coroutines/CoroutineContextKt;->newCoroutineContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; +HPLkotlinx/coroutines/CoroutineContextKt;->newCoroutineContext(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/CoroutineContextKt;->newCoroutineContext(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;)Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/CoroutineContextKt$hasCopyableElements$1; HSPLkotlinx/coroutines/CoroutineContextKt$hasCopyableElements$1;->()V @@ -18743,7 +18836,7 @@ HPLkotlinx/coroutines/CoroutineDispatcher;->interceptContinuation(Lkotlin/corout HSPLkotlinx/coroutines/CoroutineDispatcher;->isDispatchNeeded(Lkotlin/coroutines/CoroutineContext;)Z HSPLkotlinx/coroutines/CoroutineDispatcher;->limitedParallelism(I)Lkotlinx/coroutines/CoroutineDispatcher; HPLkotlinx/coroutines/CoroutineDispatcher;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; -HPLkotlinx/coroutines/CoroutineDispatcher;->releaseInterceptedContinuation(Lkotlin/coroutines/Continuation;)V +HSPLkotlinx/coroutines/CoroutineDispatcher;->releaseInterceptedContinuation(Lkotlin/coroutines/Continuation;)V Lkotlinx/coroutines/CoroutineDispatcher$Key; HSPLkotlinx/coroutines/CoroutineDispatcher$Key;->()V HSPLkotlinx/coroutines/CoroutineDispatcher$Key;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -18797,6 +18890,7 @@ PLkotlinx/coroutines/DeferredCoroutine;->(Lkotlin/coroutines/CoroutineCont PLkotlinx/coroutines/DeferredCoroutine;->await$suspendImpl(Lkotlinx/coroutines/DeferredCoroutine;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/DeferredCoroutine;->await(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/Delay; +PLkotlinx/coroutines/DelayKt;->delay(JLkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/DispatchedCoroutine; HSPLkotlinx/coroutines/DispatchedCoroutine;->()V HSPLkotlinx/coroutines/DispatchedCoroutine;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/coroutines/Continuation;)V @@ -18834,7 +18928,7 @@ Lkotlinx/coroutines/EventLoop; HSPLkotlinx/coroutines/EventLoop;->()V PLkotlinx/coroutines/EventLoop;->decrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V HPLkotlinx/coroutines/EventLoop;->decrementUseCount(Z)V -HSPLkotlinx/coroutines/EventLoop;->delta(Z)J +HPLkotlinx/coroutines/EventLoop;->delta(Z)J HPLkotlinx/coroutines/EventLoop;->dispatchUnconfined(Lkotlinx/coroutines/DispatchedTask;)V PLkotlinx/coroutines/EventLoop;->getNextTime()J HSPLkotlinx/coroutines/EventLoop;->incrementUseCount$default(Lkotlinx/coroutines/EventLoop;ZILjava/lang/Object;)V @@ -18845,7 +18939,7 @@ Lkotlinx/coroutines/EventLoopImplBase; HSPLkotlinx/coroutines/EventLoopImplBase;->()V HSPLkotlinx/coroutines/EventLoopImplBase;->()V PLkotlinx/coroutines/EventLoopImplBase;->closeQueue()V -PLkotlinx/coroutines/EventLoopImplBase;->dequeue()Ljava/lang/Runnable; +HPLkotlinx/coroutines/EventLoopImplBase;->dequeue()Ljava/lang/Runnable; PLkotlinx/coroutines/EventLoopImplBase;->dispatch(Lkotlin/coroutines/CoroutineContext;Ljava/lang/Runnable;)V PLkotlinx/coroutines/EventLoopImplBase;->enqueue(Ljava/lang/Runnable;)V PLkotlinx/coroutines/EventLoopImplBase;->enqueueImpl(Ljava/lang/Runnable;)Z @@ -18889,7 +18983,7 @@ PLkotlinx/coroutines/InvokeOnCancelling;->(Lkotlin/jvm/functions/Function1 PLkotlinx/coroutines/InvokeOnCancelling;->get_invoked$volatile$FU()Ljava/util/concurrent/atomic/AtomicIntegerFieldUpdater; PLkotlinx/coroutines/InvokeOnCancelling;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/InvokeOnCompletion; -HSPLkotlinx/coroutines/InvokeOnCompletion;->(Lkotlin/jvm/functions/Function1;)V +HPLkotlinx/coroutines/InvokeOnCompletion;->(Lkotlin/jvm/functions/Function1;)V PLkotlinx/coroutines/InvokeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/Job; HSPLkotlinx/coroutines/Job;->()V @@ -18903,7 +18997,7 @@ HSPLkotlinx/coroutines/Job$DefaultImpls;->plus(Lkotlinx/coroutines/Job;Lkotlin/c Lkotlinx/coroutines/Job$Key; HSPLkotlinx/coroutines/Job$Key;->()V HSPLkotlinx/coroutines/Job$Key;->()V -PLkotlinx/coroutines/JobCancellationException;->(Ljava/lang/String;Ljava/lang/Throwable;Lkotlinx/coroutines/Job;)V +HPLkotlinx/coroutines/JobCancellationException;->(Ljava/lang/String;Ljava/lang/Throwable;Lkotlinx/coroutines/Job;)V PLkotlinx/coroutines/JobCancellationException;->equals(Ljava/lang/Object;)Z HPLkotlinx/coroutines/JobCancellationException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/JobCancellingNode; @@ -18911,13 +19005,14 @@ HPLkotlinx/coroutines/JobCancellingNode;->()V Lkotlinx/coroutines/JobImpl; HPLkotlinx/coroutines/JobImpl;->(Lkotlinx/coroutines/Job;)V PLkotlinx/coroutines/JobImpl;->complete()Z +PLkotlinx/coroutines/JobImpl;->completeExceptionally(Ljava/lang/Throwable;)Z HSPLkotlinx/coroutines/JobImpl;->getHandlesException$kotlinx_coroutines_core()Z PLkotlinx/coroutines/JobImpl;->getOnCancelComplete$kotlinx_coroutines_core()Z HPLkotlinx/coroutines/JobImpl;->handlesException()Z Lkotlinx/coroutines/JobKt; HSPLkotlinx/coroutines/JobKt;->Job$default(Lkotlinx/coroutines/Job;ILjava/lang/Object;)Lkotlinx/coroutines/CompletableJob; HSPLkotlinx/coroutines/JobKt;->Job(Lkotlinx/coroutines/Job;)Lkotlinx/coroutines/CompletableJob; -HSPLkotlinx/coroutines/JobKt;->ensureActive(Lkotlin/coroutines/CoroutineContext;)V +HPLkotlinx/coroutines/JobKt;->ensureActive(Lkotlin/coroutines/CoroutineContext;)V HPLkotlinx/coroutines/JobKt;->ensureActive(Lkotlinx/coroutines/Job;)V HSPLkotlinx/coroutines/JobKt;->getJob(Lkotlin/coroutines/CoroutineContext;)Lkotlinx/coroutines/Job; PLkotlinx/coroutines/JobKt;->isActive(Lkotlin/coroutines/CoroutineContext;)Z @@ -18955,7 +19050,7 @@ HPLkotlinx/coroutines/JobSupport;->cancelParent(Ljava/lang/Throwable;)Z PLkotlinx/coroutines/JobSupport;->cancellationExceptionMessage()Ljava/lang/String; HPLkotlinx/coroutines/JobSupport;->childCancelled(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/JobSupport;->completeStateFinalization(Lkotlinx/coroutines/Incomplete;Ljava/lang/Object;)V -PLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V +HPLkotlinx/coroutines/JobSupport;->continueCompleting(Lkotlinx/coroutines/JobSupport$Finishing;Lkotlinx/coroutines/ChildHandleNode;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport;->createCauseException(Ljava/lang/Object;)Ljava/lang/Throwable; HPLkotlinx/coroutines/JobSupport;->finalizeFinishingState(Lkotlinx/coroutines/JobSupport$Finishing;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->firstChild(Lkotlinx/coroutines/Incomplete;)Lkotlinx/coroutines/ChildHandleNode; @@ -18972,7 +19067,8 @@ HPLkotlinx/coroutines/JobSupport;->getState$kotlinx_coroutines_core()Ljava/lang/ HPLkotlinx/coroutines/JobSupport;->get_parentHandle$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/JobSupport;->initParentJob(Lkotlinx/coroutines/Job;)V -HSPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; +HPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; +HPLkotlinx/coroutines/JobSupport;->invokeOnCompletion(ZZLkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/DisposableHandle; HPLkotlinx/coroutines/JobSupport;->isActive()Z PLkotlinx/coroutines/JobSupport;->isCancelled()Z HPLkotlinx/coroutines/JobSupport;->isCompleted()Z @@ -18982,7 +19078,7 @@ PLkotlinx/coroutines/JobSupport;->joinInternal()Z PLkotlinx/coroutines/JobSupport;->joinSuspend(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeCancelling(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeCompleting$kotlinx_coroutines_core(Ljava/lang/Object;)Z -HPLkotlinx/coroutines/JobSupport;->makeCompletingOnce$kotlinx_coroutines_core(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/JobSupport;->makeCompletingOnce$kotlinx_coroutines_core(Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/JobSupport;->makeNode(Lkotlin/jvm/functions/Function1;Z)Lkotlinx/coroutines/JobNode; HPLkotlinx/coroutines/JobSupport;->minusKey(Lkotlin/coroutines/CoroutineContext$Key;)Lkotlin/coroutines/CoroutineContext; HPLkotlinx/coroutines/JobSupport;->nextChild(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Lkotlinx/coroutines/ChildHandleNode; @@ -19026,7 +19122,7 @@ PLkotlinx/coroutines/JobSupport$Finishing;->isSealed()Z HPLkotlinx/coroutines/JobSupport$Finishing;->sealLocked(Ljava/lang/Throwable;)Ljava/util/List; HPLkotlinx/coroutines/JobSupport$Finishing;->setCompleting(Z)V HPLkotlinx/coroutines/JobSupport$Finishing;->setExceptionsHolder(Ljava/lang/Object;)V -PLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V +HPLkotlinx/coroutines/JobSupport$Finishing;->setRootCause(Ljava/lang/Throwable;)V Lkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1; HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/JobSupport;Ljava/lang/Object;)V HPLkotlinx/coroutines/JobSupport$addLastAtomic$$inlined$addLastIf$1;->prepare(Ljava/lang/Object;)Ljava/lang/Object; @@ -19036,10 +19132,13 @@ HSPLkotlinx/coroutines/JobSupportKt;->()V HPLkotlinx/coroutines/JobSupportKt;->access$getCOMPLETING_ALREADY$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/JobSupportKt;->access$getCOMPLETING_RETRY$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/JobSupportKt;->access$getEMPTY_ACTIVE$p()Lkotlinx/coroutines/Empty; +PLkotlinx/coroutines/JobSupportKt;->access$getEMPTY_NEW$p()Lkotlinx/coroutines/Empty; HPLkotlinx/coroutines/JobSupportKt;->access$getSEALED$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/JobSupportKt;->access$getTOO_LATE_TO_CANCEL$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/JobSupportKt;->boxIncomplete(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/JobSupportKt;->unboxState(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/LazyStandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Lkotlin/jvm/functions/Function2;)V +PLkotlinx/coroutines/LazyStandaloneCoroutine;->onStart()V Lkotlinx/coroutines/MainCoroutineDispatcher; HSPLkotlinx/coroutines/MainCoroutineDispatcher;->()V Lkotlinx/coroutines/NodeList; @@ -19055,6 +19154,7 @@ Lkotlinx/coroutines/ParentJob; PLkotlinx/coroutines/ResumeAwaitOnCompletion;->(Lkotlinx/coroutines/CancellableContinuationImpl;)V HPLkotlinx/coroutines/ResumeAwaitOnCompletion;->invoke(Ljava/lang/Throwable;)V PLkotlinx/coroutines/ResumeOnCompletion;->(Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/ResumeOnCompletion;->invoke(Ljava/lang/Throwable;)V Lkotlinx/coroutines/StandaloneCoroutine; HPLkotlinx/coroutines/StandaloneCoroutine;->(Lkotlin/coroutines/CoroutineContext;Z)V Lkotlinx/coroutines/SupervisorJobImpl; @@ -19118,6 +19218,7 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->access$getSendSegment$volatile$ HPLkotlinx/coroutines/channels/BufferedChannel;->access$getSendersAndCloseStatus$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->access$isClosedForSend0(Lkotlinx/coroutines/channels/BufferedChannel;J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->access$prepareReceiverForSuspension(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V +PLkotlinx/coroutines/channels/BufferedChannel;->access$prepareSenderForSuspension(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V HPLkotlinx/coroutines/channels/BufferedChannel;->access$updateCellReceive(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->access$updateCellSend(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I HPLkotlinx/coroutines/channels/BufferedChannel;->bufferOrRendezvousSend(J)Z @@ -19128,12 +19229,12 @@ PLkotlinx/coroutines/channels/BufferedChannel;->close(Ljava/lang/Throwable;)Z HPLkotlinx/coroutines/channels/BufferedChannel;->closeLinkedList()Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->closeOrCancelImpl(Ljava/lang/Throwable;Z)Z PLkotlinx/coroutines/channels/BufferedChannel;->completeCancel(J)V -PLkotlinx/coroutines/channels/BufferedChannel;->completeClose(J)Lkotlinx/coroutines/channels/ChannelSegment; +HPLkotlinx/coroutines/channels/BufferedChannel;->completeClose(J)Lkotlinx/coroutines/channels/ChannelSegment; PLkotlinx/coroutines/channels/BufferedChannel;->completeCloseOrCancel()V HSPLkotlinx/coroutines/channels/BufferedChannel;->dropFirstElementUntilTheSpecifiedCellIsInTheBuffer(J)V HPLkotlinx/coroutines/channels/BufferedChannel;->expandBuffer()V -PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; -PLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentReceive(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; +HPLkotlinx/coroutines/channels/BufferedChannel;->findSegmentSend(JLkotlinx/coroutines/channels/ChannelSegment;)Lkotlinx/coroutines/channels/ChannelSegment; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEnd$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndCounter()J HPLkotlinx/coroutines/channels/BufferedChannel;->getBufferEndSegment$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; @@ -19149,11 +19250,11 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->getSendersCounter$kotlinx_corou PLkotlinx/coroutines/channels/BufferedChannel;->get_closeCause$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts$default(Lkotlinx/coroutines/channels/BufferedChannel;JILjava/lang/Object;)V HPLkotlinx/coroutines/channels/BufferedChannel;->incCompletedExpandBufferAttempts(J)V -PLkotlinx/coroutines/channels/BufferedChannel;->invokeCloseHandler()V -HSPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z +HPLkotlinx/coroutines/channels/BufferedChannel;->invokeCloseHandler()V +HPLkotlinx/coroutines/channels/BufferedChannel;->isClosed(JZ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForReceive0(J)Z -PLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend()Z +HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isClosedForSend0(J)Z PLkotlinx/coroutines/channels/BufferedChannel;->isConflatedDropOldest()Z HPLkotlinx/coroutines/channels/BufferedChannel;->isRendezvousOrUnlimited()Z @@ -19161,12 +19262,13 @@ HPLkotlinx/coroutines/channels/BufferedChannel;->iterator()Lkotlinx/coroutines/c PLkotlinx/coroutines/channels/BufferedChannel;->markAllEmptyCellsAsClosed(Lkotlinx/coroutines/channels/ChannelSegment;)J PLkotlinx/coroutines/channels/BufferedChannel;->markCancellationStarted()V PLkotlinx/coroutines/channels/BufferedChannel;->markCancelled()V -PLkotlinx/coroutines/channels/BufferedChannel;->markClosed()V +HPLkotlinx/coroutines/channels/BufferedChannel;->markClosed()V PLkotlinx/coroutines/channels/BufferedChannel;->onClosedIdempotent()V HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveDequeued()V HSPLkotlinx/coroutines/channels/BufferedChannel;->onReceiveEnqueued()V HPLkotlinx/coroutines/channels/BufferedChannel;->prepareReceiverForSuspension(Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V -HPLkotlinx/coroutines/channels/BufferedChannel;->receive$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannel;->prepareSenderForSuspension(Lkotlinx/coroutines/Waiter;Lkotlinx/coroutines/channels/ChannelSegment;I)V +HSPLkotlinx/coroutines/channels/BufferedChannel;->receive$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/channels/BufferedChannel;->receive(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->receiveOnNoWaiterSuspend(Lkotlinx/coroutines/channels/ChannelSegment;IJLkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/channels/BufferedChannel;->removeUnprocessedElements(Lkotlinx/coroutines/channels/ChannelSegment;)V @@ -19174,13 +19276,16 @@ PLkotlinx/coroutines/channels/BufferedChannel;->resumeReceiverOnClosedChannel(Lk HPLkotlinx/coroutines/channels/BufferedChannel;->resumeWaiterOnClosedChannel(Lkotlinx/coroutines/Waiter;Z)V HPLkotlinx/coroutines/channels/BufferedChannel;->send$suspendImpl(Lkotlinx/coroutines/channels/BufferedChannel;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/channels/BufferedChannel;->send(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannel;->sendOnNoWaiterSuspend(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->shouldSendSuspend(J)Z HPLkotlinx/coroutines/channels/BufferedChannel;->tryReceive-PtdJZtk()Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->tryResumeReceiver(Ljava/lang/Object;Ljava/lang/Object;)Z +PLkotlinx/coroutines/channels/BufferedChannel;->tryResumeSender(Ljava/lang/Object;Lkotlinx/coroutines/channels/ChannelSegment;I)Z HPLkotlinx/coroutines/channels/BufferedChannel;->trySend-JP2dKIU(Ljava/lang/Object;)Ljava/lang/Object; HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBuffer(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z HSPLkotlinx/coroutines/channels/BufferedChannel;->updateCellExpandBufferSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJ)Z HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellReceive(Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/channels/BufferedChannel;->updateCellReceiveSlow(Lkotlinx/coroutines/channels/ChannelSegment;IJLjava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/channels/BufferedChannel;->updateCellSend(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I PLkotlinx/coroutines/channels/BufferedChannel;->updateCellSendSlow(Lkotlinx/coroutines/channels/ChannelSegment;ILjava/lang/Object;JLjava/lang/Object;Z)I HPLkotlinx/coroutines/channels/BufferedChannel;->waitExpandBufferCompletion$kotlinx_coroutines_core(J)V @@ -19207,6 +19312,7 @@ PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getIN_BUFFER$p()Lkotlin HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNO_CLOSE_CAUSE$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNO_RECEIVE_RESULT$p()Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getNULL_SEGMENT$p()Lkotlinx/coroutines/channels/ChannelSegment; +PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getPOISONED$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getRESUMING_BY_EB$p()Lkotlinx/coroutines/internal/Symbol; PLkotlinx/coroutines/channels/BufferedChannelKt;->access$getRESUMING_BY_RCV$p()Lkotlinx/coroutines/internal/Symbol; HPLkotlinx/coroutines/channels/BufferedChannelKt;->access$getSUSPEND$p()Lkotlinx/coroutines/internal/Symbol; @@ -19218,6 +19324,7 @@ PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegment(JLkotlinx/corout PLkotlinx/coroutines/channels/BufferedChannelKt;->createSegmentFunction()Lkotlin/reflect/KFunction; HPLkotlinx/coroutines/channels/BufferedChannelKt;->getCHANNEL_CLOSED()Lkotlinx/coroutines/internal/Symbol; HSPLkotlinx/coroutines/channels/BufferedChannelKt;->initialBufferEnd(I)J +PLkotlinx/coroutines/channels/BufferedChannelKt;->tryResume0$default(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)Z HPLkotlinx/coroutines/channels/BufferedChannelKt;->tryResume0(Lkotlinx/coroutines/CancellableContinuation;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Z PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V PLkotlinx/coroutines/channels/BufferedChannelKt$createSegmentFunction$1;->()V @@ -19242,9 +19349,9 @@ HPLkotlinx/coroutines/channels/ChannelKt;->Channel$default(ILkotlinx/coroutines/ HPLkotlinx/coroutines/channels/ChannelKt;->Channel(ILkotlinx/coroutines/channels/BufferOverflow;Lkotlin/jvm/functions/Function1;)Lkotlinx/coroutines/channels/Channel; Lkotlinx/coroutines/channels/ChannelResult; HSPLkotlinx/coroutines/channels/ChannelResult;->()V -HPLkotlinx/coroutines/channels/ChannelResult;->access$getFailed$cp()Lkotlinx/coroutines/channels/ChannelResult$Failed; +HSPLkotlinx/coroutines/channels/ChannelResult;->access$getFailed$cp()Lkotlinx/coroutines/channels/ChannelResult$Failed; HSPLkotlinx/coroutines/channels/ChannelResult;->constructor-impl(Ljava/lang/Object;)Ljava/lang/Object; -HSPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/channels/ChannelResult;->getOrNull-impl(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/channels/ChannelResult;->isSuccess-impl(Ljava/lang/Object;)Z Lkotlinx/coroutines/channels/ChannelResult$Companion; HSPLkotlinx/coroutines/channels/ChannelResult$Companion;->()V @@ -19281,6 +19388,7 @@ HSPLkotlinx/coroutines/channels/ProduceKt;->produce$default(Lkotlinx/coroutines/ HPLkotlinx/coroutines/channels/ProduceKt;->produce(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;Lkotlinx/coroutines/CoroutineStart;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/channels/ReceiveChannel; Lkotlinx/coroutines/channels/ProducerCoroutine; HSPLkotlinx/coroutines/channels/ProducerCoroutine;->(Lkotlin/coroutines/CoroutineContext;Lkotlinx/coroutines/channels/Channel;)V +PLkotlinx/coroutines/channels/ProducerCoroutine;->isActive()Z PLkotlinx/coroutines/channels/ProducerCoroutine;->onCancelled(Ljava/lang/Throwable;Z)V PLkotlinx/coroutines/channels/ProducerCoroutine;->onCompleted(Ljava/lang/Object;)V PLkotlinx/coroutines/channels/ProducerCoroutine;->onCompleted(Lkotlin/Unit;)V @@ -19296,6 +19404,10 @@ Lkotlinx/coroutines/flow/AbstractFlow$collect$1; HSPLkotlinx/coroutines/flow/AbstractFlow$collect$1;->(Lkotlinx/coroutines/flow/AbstractFlow;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/AbstractFlow$collect$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/CancellableFlow; +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)V +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->collectTo$suspendImpl(Lkotlinx/coroutines/flow/ChannelFlowBuilder;Lkotlinx/coroutines/channels/ProducerScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/ChannelFlowBuilder;->collectTo(Lkotlinx/coroutines/channels/ProducerScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/DistinctFlowImpl; HSPLkotlinx/coroutines/flow/DistinctFlowImpl;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function1;Lkotlin/jvm/functions/Function2;)V HSPLkotlinx/coroutines/flow/DistinctFlowImpl;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19303,28 +19415,36 @@ Lkotlinx/coroutines/flow/DistinctFlowImpl$collect$2; HSPLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2;->(Lkotlinx/coroutines/flow/DistinctFlowImpl;Lkotlin/jvm/internal/Ref$ObjectRef;Lkotlinx/coroutines/flow/FlowCollector;)V HPLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2$emit$1;->(Lkotlinx/coroutines/flow/DistinctFlowImpl$collect$2;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/DistinctFlowImpl$collect$2$emit$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowCollector; Lkotlinx/coroutines/flow/FlowKt; HSPLkotlinx/coroutines/flow/FlowKt;->buffer$default(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;ILjava/lang/Object;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->buffer(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->channelFlow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->collect(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->collectLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/flow/FlowKt;->conflate(Lkotlinx/coroutines/flow/Flow;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->distinctUntilChanged(Lkotlinx/coroutines/flow/Flow;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->dropWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->ensureActive(Lkotlinx/coroutines/flow/FlowCollector;)V PLkotlinx/coroutines/flow/FlowKt;->first(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->first(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt;->flow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->mapLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->onCompletion(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->onStart(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt;->shareIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;I)Lkotlinx/coroutines/flow/SharedFlow; HSPLkotlinx/coroutines/flow/FlowKt;->stateIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;Ljava/lang/Object;)Lkotlinx/coroutines/flow/StateFlow; +PLkotlinx/coroutines/flow/FlowKt;->takeWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt;->transformLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__BuildersKt; +PLkotlinx/coroutines/flow/FlowKt__BuildersKt;->channelFlow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HPLkotlinx/coroutines/flow/FlowKt__BuildersKt;->flow(Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__ChannelsKt; -PLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->access$emitAllImpl$FlowKt__ChannelsKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->access$emitAllImpl$FlowKt__ChannelsKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/FlowKt__ChannelsKt;->emitAllImpl$FlowKt__ChannelsKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/channels/ReceiveChannel;ZLkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ChannelsKt$emitAllImpl$1; @@ -19333,6 +19453,7 @@ HPLkotlinx/coroutines/flow/FlowKt__ChannelsKt$emitAllImpl$1;->invokeSuspend(Ljav Lkotlinx/coroutines/flow/FlowKt__CollectKt; HSPLkotlinx/coroutines/flow/FlowKt__CollectKt;->collect(Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt__CollectKt;->collectLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__CollectKt;->emitAll(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/flow/Flow;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ContextKt; HSPLkotlinx/coroutines/flow/FlowKt__ContextKt;->buffer$default(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;ILjava/lang/Object;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt__ContextKt;->buffer(Lkotlinx/coroutines/flow/Flow;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/Flow; @@ -19349,11 +19470,25 @@ PLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultAreEquivalent$1;->invoke(Lja Lkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1; HSPLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->()V HSPLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->()V -PLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__DistinctKt$defaultKeySelector$1;->invoke(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__EmittersKt; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->access$invokeSafely$FlowKt__EmittersKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/jvm/functions/Function3;Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/FlowKt__EmittersKt;->ensureActive(Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->invokeSafely$FlowKt__EmittersKt(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/jvm/functions/Function3;Ljava/lang/Throwable;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->onCompletion(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt;->onStart(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$invokeSafely$1;->(Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1$1;->(Lkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onCompletion$$inlined$unsafeFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1;->(Lkotlin/jvm/functions/Function2;Lkotlinx/coroutines/flow/Flow;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1$1;->(Lkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__EmittersKt$onStart$$inlined$unsafeFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__LimitKt; HSPLkotlinx/coroutines/flow/FlowKt__LimitKt;->dropWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; +PLkotlinx/coroutines/flow/FlowKt__LimitKt;->takeWhile(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$$inlined$unsafeFlow$1; HSPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$$inlined$unsafeFlow$1;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)V HSPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19361,13 +19496,21 @@ Lkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1; HSPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1;->(Lkotlin/jvm/internal/Ref$BooleanRef;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/jvm/functions/Function2;)V HPLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1$emit$1;->(Lkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$dropWhile$1$1$emit$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1;->(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1$1;->(Lkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$$inlined$unsafeFlow$1$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1;->(Lkotlin/jvm/functions/Function2;Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +PLkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1$1;->(Lkotlinx/coroutines/flow/FlowKt__LimitKt$takeWhile$lambda$6$$inlined$collectWhile$1;Lkotlin/coroutines/Continuation;)V Lkotlinx/coroutines/flow/FlowKt__MergeKt; HSPLkotlinx/coroutines/flow/FlowKt__MergeKt;->()V HPLkotlinx/coroutines/flow/FlowKt__MergeKt;->mapLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function2;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/FlowKt__MergeKt;->transformLatest(Lkotlinx/coroutines/flow/Flow;Lkotlin/jvm/functions/Function3;)Lkotlinx/coroutines/flow/Flow; Lkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1; HPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->(Lkotlin/jvm/functions/Function2;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/FlowKt__MergeKt$mapLatest$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ReduceKt; @@ -19388,6 +19531,7 @@ PLkotlinx/coroutines/flow/FlowKt__ReduceKt$first$3;->invokeSuspend(Ljava/lang/Ob Lkotlinx/coroutines/flow/FlowKt__ShareKt; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt;->configureSharing$FlowKt__ShareKt(Lkotlinx/coroutines/flow/Flow;I)Lkotlinx/coroutines/flow/SharingConfig; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt;->launchSharing$FlowKt__ShareKt(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/CoroutineContext;Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/flow/MutableSharedFlow;Lkotlinx/coroutines/flow/SharingStarted;Ljava/lang/Object;)Lkotlinx/coroutines/Job; +PLkotlinx/coroutines/flow/FlowKt__ShareKt;->shareIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;I)Lkotlinx/coroutines/flow/SharedFlow; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt;->stateIn(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/CoroutineScope;Lkotlinx/coroutines/flow/SharingStarted;Ljava/lang/Object;)Lkotlinx/coroutines/flow/StateFlow; Lkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1;->(Lkotlinx/coroutines/flow/SharingStarted;Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/flow/MutableSharedFlow;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V @@ -19397,13 +19541,15 @@ HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1;->invoke(Lkotlinx/co HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2; HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->(Lkotlinx/coroutines/flow/Flow;Lkotlinx/coroutines/flow/MutableSharedFlow;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/flow/FlowKt__ShareKt$launchSharing$1$2$WhenMappings;->()V Lkotlinx/coroutines/flow/MutableSharedFlow; Lkotlinx/coroutines/flow/MutableStateFlow; +PLkotlinx/coroutines/flow/ReadonlySharedFlow;->(Lkotlinx/coroutines/flow/SharedFlow;Lkotlinx/coroutines/Job;)V +PLkotlinx/coroutines/flow/ReadonlySharedFlow;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/ReadonlyStateFlow; HSPLkotlinx/coroutines/flow/ReadonlyStateFlow;->(Lkotlinx/coroutines/flow/StateFlow;Lkotlinx/coroutines/Job;)V HSPLkotlinx/coroutines/flow/ReadonlyStateFlow;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19426,7 +19572,7 @@ HSPLkotlinx/coroutines/flow/SharedFlowImpl;->createSlotArray(I)[Lkotlinx/corouti HSPLkotlinx/coroutines/flow/SharedFlowImpl;->dropOldestLocked()V HSPLkotlinx/coroutines/flow/SharedFlowImpl;->enqueueLocked(Ljava/lang/Object;)V HPLkotlinx/coroutines/flow/SharedFlowImpl;->findSlotsToResumeLocked([Lkotlin/coroutines/Continuation;)[Lkotlin/coroutines/Continuation; -HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getBufferEndIndex()J +HPLkotlinx/coroutines/flow/SharedFlowImpl;->getBufferEndIndex()J HPLkotlinx/coroutines/flow/SharedFlowImpl;->getHead()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getLastReplayedLocked()Ljava/lang/Object; HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getPeekedValueLockedAt(J)Ljava/lang/Object; @@ -19434,6 +19580,7 @@ PLkotlinx/coroutines/flow/SharedFlowImpl;->getQueueEndIndex()J HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getReplaySize()I HSPLkotlinx/coroutines/flow/SharedFlowImpl;->getTotalSize()I HSPLkotlinx/coroutines/flow/SharedFlowImpl;->growBuffer([Ljava/lang/Object;II)[Ljava/lang/Object; +PLkotlinx/coroutines/flow/SharedFlowImpl;->resetReplayCache()V HSPLkotlinx/coroutines/flow/SharedFlowImpl;->tryEmit(Ljava/lang/Object;)Z HPLkotlinx/coroutines/flow/SharedFlowImpl;->tryEmitLocked(Ljava/lang/Object;)Z HSPLkotlinx/coroutines/flow/SharedFlowImpl;->tryEmitNoCollectorsLocked(Ljava/lang/Object;)Z @@ -19456,7 +19603,7 @@ HSPLkotlinx/coroutines/flow/SharedFlowKt;->setBufferAt([Ljava/lang/Object;JLjava Lkotlinx/coroutines/flow/SharedFlowSlot; HSPLkotlinx/coroutines/flow/SharedFlowSlot;->()V HSPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Ljava/lang/Object;)Z -HPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)Z +HSPLkotlinx/coroutines/flow/SharedFlowSlot;->allocateLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)Z HSPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Ljava/lang/Object;)[Lkotlin/coroutines/Continuation; HPLkotlinx/coroutines/flow/SharedFlowSlot;->freeLocked(Lkotlinx/coroutines/flow/SharedFlowImpl;)[Lkotlin/coroutines/Continuation; PLkotlinx/coroutines/flow/SharingCommand;->$values()[Lkotlinx/coroutines/flow/SharingCommand; @@ -19474,25 +19621,28 @@ HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->WhileSubscribed$default(L HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->WhileSubscribed(JJ)Lkotlinx/coroutines/flow/SharingStarted; HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->getEagerly()Lkotlinx/coroutines/flow/SharingStarted; HSPLkotlinx/coroutines/flow/SharingStarted$Companion;->getLazily()Lkotlinx/coroutines/flow/SharingStarted; +PLkotlinx/coroutines/flow/SharingStartedKt;->WhileSubscribed-5qebJ5I(Lkotlinx/coroutines/flow/SharingStarted$Companion;JJ)Lkotlinx/coroutines/flow/SharingStarted; Lkotlinx/coroutines/flow/StartedEagerly; HSPLkotlinx/coroutines/flow/StartedEagerly;->()V Lkotlinx/coroutines/flow/StartedLazily; HSPLkotlinx/coroutines/flow/StartedLazily;->()V Lkotlinx/coroutines/flow/StartedWhileSubscribed; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->(JJ)V +PLkotlinx/coroutines/flow/StartedWhileSubscribed;->access$getReplayExpiration$p(Lkotlinx/coroutines/flow/StartedWhileSubscribed;)J +PLkotlinx/coroutines/flow/StartedWhileSubscribed;->access$getStopTimeout$p(Lkotlinx/coroutines/flow/StartedWhileSubscribed;)J HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->command(Lkotlinx/coroutines/flow/StateFlow;)Lkotlinx/coroutines/flow/Flow; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed;->equals(Ljava/lang/Object;)Z Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$1; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->(Lkotlinx/coroutines/flow/StartedWhileSubscribed;Lkotlin/coroutines/Continuation;)V HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Ljava/lang/Object;Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invoke(Lkotlinx/coroutines/flow/FlowCollector;ILkotlin/coroutines/Continuation;)Ljava/lang/Object; -HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/StartedWhileSubscribed$command$2; HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->(Lkotlin/coroutines/Continuation;)V -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invoke(Lkotlinx/coroutines/flow/SharingCommand;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HSPLkotlinx/coroutines/flow/StartedWhileSubscribed$command$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/StateFlow; Lkotlinx/coroutines/flow/StateFlowImpl; HSPLkotlinx/coroutines/flow/StateFlowImpl;->()V @@ -19529,8 +19679,9 @@ HPLkotlinx/coroutines/flow/StateFlowSlot;->makePending()V HPLkotlinx/coroutines/flow/StateFlowSlot;->takePending()Z Lkotlinx/coroutines/flow/SubscribedFlowCollector; Lkotlinx/coroutines/flow/ThrowingCollector; +PLkotlinx/coroutines/flow/ThrowingCollector;->(Ljava/lang/Throwable;)V Lkotlinx/coroutines/flow/internal/AbortFlowException; -PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/internal/AbortFlowException;->(Ljava/lang/Object;)V HPLkotlinx/coroutines/flow/internal/AbortFlowException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/AbstractSharedFlow; HPLkotlinx/coroutines/flow/internal/AbstractSharedFlow;->()V @@ -19550,17 +19701,17 @@ HPLkotlinx/coroutines/flow/internal/ChannelFlow;->(Lkotlin/coroutines/Coro HPLkotlinx/coroutines/flow/internal/ChannelFlow;->collect$suspendImpl(Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->collect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->fuse(Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/Flow; -HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->getCollectToFun$kotlinx_coroutines_core()Lkotlin/jvm/functions/Function2; +HPLkotlinx/coroutines/flow/internal/ChannelFlow;->getCollectToFun$kotlinx_coroutines_core()Lkotlin/jvm/functions/Function2; HSPLkotlinx/coroutines/flow/internal/ChannelFlow;->getProduceCapacity$kotlinx_coroutines_core()I HPLkotlinx/coroutines/flow/internal/ChannelFlow;->produceImpl(Lkotlinx/coroutines/CoroutineScope;)Lkotlinx/coroutines/channels/ReceiveChannel; Lkotlinx/coroutines/flow/internal/ChannelFlow$collect$2; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->(Lkotlinx/coroutines/flow/FlowCollector;Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; -HSPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; +HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collect$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1; -HSPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->(Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlin/coroutines/Continuation;)V +HPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->(Lkotlinx/coroutines/flow/internal/ChannelFlow;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HPLkotlinx/coroutines/flow/internal/ChannelFlow$collectToFun$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlowOperator; @@ -19579,7 +19730,7 @@ HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->access$getTran HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->create(Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;)Lkotlinx/coroutines/flow/internal/ChannelFlow; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;->flowCollect(Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3; -HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)V +HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest;Lkotlinx/coroutines/flow/FlowCollector;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->create(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Lkotlin/coroutines/Continuation; HSPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->invoke(Ljava/lang/Object;Ljava/lang/Object;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; @@ -19593,11 +19744,11 @@ HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$2 HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$2;->invoke(Lkotlinx/coroutines/CoroutineScope;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$2;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$emit$1;->(Lkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1;Lkotlin/coroutines/Continuation;)V +PLkotlinx/coroutines/flow/internal/ChannelFlowTransformLatest$flowCollect$3$1$emit$1;->invokeSuspend(Ljava/lang/Object;)Ljava/lang/Object; PLkotlinx/coroutines/flow/internal/ChildCancelledException;->()V PLkotlinx/coroutines/flow/internal/ChildCancelledException;->fillInStackTrace()Ljava/lang/Throwable; Lkotlinx/coroutines/flow/internal/DownstreamExceptionContext; -PLkotlinx/coroutines/flow/internal/DownstreamExceptionContext;->(Ljava/lang/Throwable;Lkotlin/coroutines/CoroutineContext;)V -PLkotlinx/coroutines/flow/internal/FlowExceptions_commonKt;->checkOwnership(Lkotlinx/coroutines/flow/internal/AbortFlowException;Lkotlinx/coroutines/flow/FlowCollector;)V +PLkotlinx/coroutines/flow/internal/FlowExceptions_commonKt;->checkOwnership(Lkotlinx/coroutines/flow/internal/AbortFlowException;Ljava/lang/Object;)V Lkotlinx/coroutines/flow/internal/FusibleFlow; Lkotlinx/coroutines/flow/internal/FusibleFlow$DefaultImpls; HSPLkotlinx/coroutines/flow/internal/FusibleFlow$DefaultImpls;->fuse$default(Lkotlinx/coroutines/flow/internal/FusibleFlow;Lkotlin/coroutines/CoroutineContext;ILkotlinx/coroutines/channels/BufferOverflow;ILjava/lang/Object;)Lkotlinx/coroutines/flow/Flow; @@ -19607,6 +19758,7 @@ HSPLkotlinx/coroutines/flow/internal/NoOpContinuation;->()V Lkotlinx/coroutines/flow/internal/NopCollector; HSPLkotlinx/coroutines/flow/internal/NopCollector;->()V HSPLkotlinx/coroutines/flow/internal/NopCollector;->()V +PLkotlinx/coroutines/flow/internal/NopCollector;->emit(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; Lkotlinx/coroutines/flow/internal/NullSurrogateKt; HSPLkotlinx/coroutines/flow/internal/NullSurrogateKt;->()V Lkotlinx/coroutines/flow/internal/SafeCollector; @@ -19654,17 +19806,17 @@ HPLkotlinx/coroutines/internal/AtomicOp;->perform(Ljava/lang/Object;)Ljava/lang/ Lkotlinx/coroutines/internal/ConcurrentLinkedListKt; HSPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->access$getCLOSED$p()Lkotlinx/coroutines/internal/Symbol; -PLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->close(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; +HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->close(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HPLkotlinx/coroutines/internal/ConcurrentLinkedListKt;->findSegmentInternal(Lkotlinx/coroutines/internal/Segment;JLkotlin/jvm/functions/Function2;)Ljava/lang/Object; Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)V -HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; +HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->access$getNextOrClosed(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Ljava/lang/Object; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->cleanPrev()V HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNext()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getNextOrClosed()Ljava/lang/Object; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->getPrev()Lkotlinx/coroutines/internal/ConcurrentLinkedListNode; -HSPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; +HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->get_prev$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->markAsClosed()Z PLkotlinx/coroutines/internal/ConcurrentLinkedListNode;->trySetNext(Lkotlinx/coroutines/internal/ConcurrentLinkedListNode;)Z @@ -19673,6 +19825,7 @@ HPLkotlinx/coroutines/internal/ContextScope;->(Lkotlin/coroutines/Coroutin HPLkotlinx/coroutines/internal/ContextScope;->getCoroutineContext()Lkotlin/coroutines/CoroutineContext; Lkotlinx/coroutines/internal/DispatchedContinuation; HSPLkotlinx/coroutines/internal/DispatchedContinuation;->()V +HPLkotlinx/coroutines/internal/DispatchedContinuation;->(Lkotlinx/coroutines/CoroutineDispatcher;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->awaitReusability$kotlinx_coroutines_core()V PLkotlinx/coroutines/internal/DispatchedContinuation;->cancelCompletedResult$kotlinx_coroutines_core(Ljava/lang/Object;Ljava/lang/Throwable;)V HPLkotlinx/coroutines/internal/DispatchedContinuation;->claimReusableCancellableContinuation$kotlinx_coroutines_core()Lkotlinx/coroutines/CancellableContinuationImpl; @@ -19723,6 +19876,7 @@ HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->()V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->access$get_next$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->addOneIfEmpty(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Z +HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->correctPrev(Lkotlinx/coroutines/internal/OpDescriptor;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; PLkotlinx/coroutines/internal/LockFreeLinkedListNode;->findPrevNonRemoved(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)Lkotlinx/coroutines/internal/LockFreeLinkedListNode; HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->finishAdd(Lkotlinx/coroutines/internal/LockFreeLinkedListNode;)V HPLkotlinx/coroutines/internal/LockFreeLinkedListNode;->getNext()Ljava/lang/Object; @@ -19746,12 +19900,17 @@ HSPLkotlinx/coroutines/internal/LockFreeTaskQueue;->(Z)V HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->addLast(Ljava/lang/Object;)Z HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->get_cur$volatile$FU()Ljava/util/concurrent/atomic/AtomicReferenceFieldUpdater; +HPLkotlinx/coroutines/internal/LockFreeTaskQueue;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->(IZ)V +HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->addLast(Ljava/lang/Object;)I +PLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->close()Z HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getArray()Ljava/util/concurrent/atomic/AtomicReferenceArray; HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->getSize()I HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->get_state$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; +PLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->isEmpty()Z +HPLkotlinx/coroutines/internal/LockFreeTaskQueueCore;->removeFirstOrNull()Ljava/lang/Object; Lkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion; HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->()V HSPLkotlinx/coroutines/internal/LockFreeTaskQueueCore$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -19833,6 +19992,7 @@ Lkotlinx/coroutines/internal/ThreadLocalKt; HSPLkotlinx/coroutines/internal/ThreadLocalKt;->commonThreadLocal(Lkotlinx/coroutines/internal/Symbol;)Ljava/lang/ThreadLocal; Lkotlinx/coroutines/intrinsics/CancellableKt; HPLkotlinx/coroutines/intrinsics/CancellableKt;->startCoroutineCancellable$default(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;Lkotlin/jvm/functions/Function1;ILjava/lang/Object;)V +PLkotlinx/coroutines/intrinsics/CancellableKt;->startCoroutineCancellable(Lkotlin/coroutines/Continuation;Lkotlin/coroutines/Continuation;)V HPLkotlinx/coroutines/intrinsics/CancellableKt;->startCoroutineCancellable(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;Lkotlin/jvm/functions/Function1;)V Lkotlinx/coroutines/intrinsics/UndispatchedKt; HPLkotlinx/coroutines/intrinsics/UndispatchedKt;->startCoroutineUndispatched(Lkotlin/jvm/functions/Function2;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)V @@ -19841,8 +20001,8 @@ Lkotlinx/coroutines/scheduling/CoroutineScheduler; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->(IIJLjava/lang/String;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->access$getControlState$volatile$FU()Ljava/util/concurrent/atomic/AtomicLongFieldUpdater; -HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->addToGlobalQueue(Lkotlinx/coroutines/scheduling/Task;)Z -HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I +HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->addToGlobalQueue(Lkotlinx/coroutines/scheduling/Task;)Z +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createNewWorker()I HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->createTask(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->currentWorker()Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HPLkotlinx/coroutines/scheduling/CoroutineScheduler;->dispatch(Ljava/lang/Runnable;Lkotlinx/coroutines/scheduling/TaskContext;Z)V @@ -19866,7 +20026,7 @@ HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->()V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;)V HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->(Lkotlinx/coroutines/scheduling/CoroutineScheduler;I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->access$getThis$0$p(Lkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;)Lkotlinx/coroutines/scheduling/CoroutineScheduler; HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->afterTask(I)V @@ -19884,14 +20044,14 @@ HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->nextInt(I)I HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->park()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->pollGlobalQueues()Lkotlinx/coroutines/scheduling/Task; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->run()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->runWorker()V +HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setIndexInArray(I)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->setNextParkedWorker(Ljava/lang/Object;)V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryAcquireCpuPermit()Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryPark()V HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryReleaseCpu(Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;)Z HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->trySteal(I)Lkotlinx/coroutines/scheduling/Task; -HPLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V +PLkotlinx/coroutines/scheduling/CoroutineScheduler$Worker;->tryTerminateWorker()V Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->$values()[Lkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState; HSPLkotlinx/coroutines/scheduling/CoroutineScheduler$WorkerState;->()V @@ -19922,7 +20082,7 @@ HPLkotlinx/coroutines/scheduling/Task;->(JLkotlinx/coroutines/scheduling/T Lkotlinx/coroutines/scheduling/TaskContext; Lkotlinx/coroutines/scheduling/TaskContextImpl; HSPLkotlinx/coroutines/scheduling/TaskContextImpl;->(I)V -HSPLkotlinx/coroutines/scheduling/TaskContextImpl;->afterTask()V +HPLkotlinx/coroutines/scheduling/TaskContextImpl;->afterTask()V HPLkotlinx/coroutines/scheduling/TaskContextImpl;->getTaskMode()I Lkotlinx/coroutines/scheduling/TaskImpl; HPLkotlinx/coroutines/scheduling/TaskImpl;->(Ljava/lang/Runnable;JLkotlinx/coroutines/scheduling/TaskContext;)V @@ -19950,7 +20110,6 @@ PLkotlinx/coroutines/scheduling/WorkQueue;->pollBlocking()Lkotlinx/coroutines/sc HPLkotlinx/coroutines/scheduling/WorkQueue;->pollBuffer()Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->pollWithExclusiveMode(Z)Lkotlinx/coroutines/scheduling/Task; PLkotlinx/coroutines/scheduling/WorkQueue;->stealWithExclusiveMode(I)Lkotlinx/coroutines/scheduling/Task; -PLkotlinx/coroutines/scheduling/WorkQueue;->tryExtractFromTheMiddle(IZ)Lkotlinx/coroutines/scheduling/Task; HPLkotlinx/coroutines/scheduling/WorkQueue;->trySteal(ILkotlin/jvm/internal/Ref$ObjectRef;)J HPLkotlinx/coroutines/scheduling/WorkQueue;->tryStealLastScheduled(ILkotlin/jvm/internal/Ref$ObjectRef;)J Lkotlinx/coroutines/selects/SelectInstance; @@ -19965,7 +20124,7 @@ PLkotlinx/coroutines/sync/MutexImpl;->getOwner$volatile$FU()Ljava/util/concurren PLkotlinx/coroutines/sync/MutexImpl;->isLocked()Z PLkotlinx/coroutines/sync/MutexImpl;->lock$suspendImpl(Lkotlinx/coroutines/sync/MutexImpl;Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->lock(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; -PLkotlinx/coroutines/sync/MutexImpl;->lockSuspend(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; +HPLkotlinx/coroutines/sync/MutexImpl;->lockSuspend(Ljava/lang/Object;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl;->tryLock(Ljava/lang/Object;)Z PLkotlinx/coroutines/sync/MutexImpl;->tryLockImpl(Ljava/lang/Object;)I HPLkotlinx/coroutines/sync/MutexImpl;->unlock(Ljava/lang/Object;)V @@ -19973,7 +20132,7 @@ PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->(Lk PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->completeResume(Ljava/lang/Object;)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->invokeOnCancellation(Lkotlinx/coroutines/internal/Segment;I)V PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Ljava/lang/Object;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; -PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; +HPLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;->tryResume(Lkotlin/Unit;Ljava/lang/Object;Lkotlin/jvm/functions/Function1;)Ljava/lang/Object; PLkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner$tryResume$token$1;->(Lkotlinx/coroutines/sync/MutexImpl;Lkotlinx/coroutines/sync/MutexImpl$CancellableContinuationWithOwner;)V Lkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1; HPLkotlinx/coroutines/sync/MutexImpl$onSelectCancellationUnlockConstructor$1;->(Lkotlinx/coroutines/sync/MutexImpl;)V @@ -19986,11 +20145,9 @@ Lkotlinx/coroutines/sync/Semaphore; Lkotlinx/coroutines/sync/SemaphoreImpl; HSPLkotlinx/coroutines/sync/SemaphoreImpl;->()V HPLkotlinx/coroutines/sync/SemaphoreImpl;->(II)V -PLkotlinx/coroutines/sync/SemaphoreImpl;->access$addAcquireToQueue(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire$suspendImpl(Lkotlinx/coroutines/sync/SemaphoreImpl;Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; PLkotlinx/coroutines/sync/SemaphoreImpl;->acquire(Lkotlinx/coroutines/CancellableContinuation;)V -PLkotlinx/coroutines/sync/SemaphoreImpl;->acquireSlowPath(Lkotlin/coroutines/Continuation;)Ljava/lang/Object; HPLkotlinx/coroutines/sync/SemaphoreImpl;->addAcquireToQueue(Lkotlinx/coroutines/Waiter;)Z PLkotlinx/coroutines/sync/SemaphoreImpl;->decPermits()I PLkotlinx/coroutines/sync/SemaphoreImpl;->getAvailablePermits()I @@ -20042,7 +20199,7 @@ PLokhttp3/Address;->certificatePinner()Lokhttp3/CertificatePinner; PLokhttp3/Address;->connectionSpecs()Ljava/util/List; PLokhttp3/Address;->dns()Lokhttp3/Dns; HPLokhttp3/Address;->equalsNonHost$okhttp(Lokhttp3/Address;)Z -PLokhttp3/Address;->hashCode()I +HPLokhttp3/Address;->hashCode()I PLokhttp3/Address;->hostnameVerifier()Ljavax/net/ssl/HostnameVerifier; PLokhttp3/Address;->protocols()Ljava/util/List; PLokhttp3/Address;->proxy()Ljava/net/Proxy; @@ -20059,7 +20216,7 @@ PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;)V PLokhttp3/Cache;->(Lokio/Path;JLokio/FileSystem;Lokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/Cache;->get$okhttp(Lokhttp3/Request;)Lokhttp3/Response; PLokhttp3/Cache;->getWriteSuccessCount$okhttp()I -HPLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; +PLokhttp3/Cache;->put$okhttp(Lokhttp3/Response;)Lokhttp3/internal/cache/CacheRequest; PLokhttp3/Cache;->remove$okhttp(Lokhttp3/Request;)V PLokhttp3/Cache;->setWriteSuccessCount$okhttp(I)V PLokhttp3/Cache;->trackResponse$okhttp(Lokhttp3/internal/cache/CacheStrategy;)V @@ -20067,12 +20224,12 @@ PLokhttp3/Cache$Companion;->()V PLokhttp3/Cache$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/Cache$Companion;->hasVaryAll(Lokhttp3/Response;)Z PLokhttp3/Cache$Companion;->key(Lokhttp3/HttpUrl;)Ljava/lang/String; -PLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; +HPLokhttp3/Cache$Companion;->varyFields(Lokhttp3/Headers;)Ljava/util/Set; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Headers;Lokhttp3/Headers;)Lokhttp3/Headers; PLokhttp3/Cache$Companion;->varyHeaders(Lokhttp3/Response;)Lokhttp3/Headers; PLokhttp3/Cache$Entry;->()V HPLokhttp3/Cache$Entry;->(Lokhttp3/Response;)V -HPLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V +PLokhttp3/Cache$Entry;->writeCertList(Lokio/BufferedSink;Ljava/util/List;)V HPLokhttp3/Cache$Entry;->writeTo(Lokhttp3/internal/cache/DiskLruCache$Editor;)V PLokhttp3/Cache$Entry$Companion;->()V PLokhttp3/Cache$Entry$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -20181,7 +20338,7 @@ PLokhttp3/CookieJar$Companion;->()V PLokhttp3/CookieJar$Companion$NoCookies;->()V PLokhttp3/CookieJar$Companion$NoCookies;->loadForRequest(Lokhttp3/HttpUrl;)Ljava/util/List; PLokhttp3/Dispatcher;->()V -PLokhttp3/Dispatcher;->enqueue$okhttp(Lokhttp3/internal/connection/RealCall$AsyncCall;)V +HPLokhttp3/Dispatcher;->enqueue$okhttp(Lokhttp3/internal/connection/RealCall$AsyncCall;)V PLokhttp3/Dispatcher;->executorService()Ljava/util/concurrent/ExecutorService; PLokhttp3/Dispatcher;->findExistingCallWithHost(Ljava/lang/String;)Lokhttp3/internal/connection/RealCall$AsyncCall; PLokhttp3/Dispatcher;->finished$okhttp(Lokhttp3/internal/connection/RealCall$AsyncCall;)V @@ -20197,7 +20354,9 @@ PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->()V PLokhttp3/EventListener;->cacheMiss(Lokhttp3/Call;)V PLokhttp3/EventListener;->callEnd(Lokhttp3/Call;)V +PLokhttp3/EventListener;->callFailed(Lokhttp3/Call;Ljava/io/IOException;)V PLokhttp3/EventListener;->callStart(Lokhttp3/Call;)V +PLokhttp3/EventListener;->canceled(Lokhttp3/Call;)V PLokhttp3/EventListener;->connectEnd(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;Lokhttp3/Protocol;)V PLokhttp3/EventListener;->connectStart(Lokhttp3/Call;Ljava/net/InetSocketAddress;Ljava/net/Proxy;)V PLokhttp3/EventListener;->connectionAcquired(Lokhttp3/Call;Lokhttp3/Connection;)V @@ -20303,7 +20462,7 @@ HSPLokhttp3/HttpUrl$Builder;->build()Lokhttp3/HttpUrl; PLokhttp3/HttpUrl$Builder;->encodedQuery(Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; HSPLokhttp3/HttpUrl$Builder;->getEncodedFragment$okhttp()Ljava/lang/String; HSPLokhttp3/HttpUrl$Builder;->getEncodedPassword$okhttp()Ljava/lang/String; -HSPLokhttp3/HttpUrl$Builder;->getEncodedPathSegments$okhttp()Ljava/util/List; +HPLokhttp3/HttpUrl$Builder;->getEncodedPathSegments$okhttp()Ljava/util/List; HSPLokhttp3/HttpUrl$Builder;->getEncodedQueryNamesAndValues$okhttp()Ljava/util/List; HSPLokhttp3/HttpUrl$Builder;->getEncodedUsername$okhttp()Ljava/lang/String; HSPLokhttp3/HttpUrl$Builder;->getHost$okhttp()Ljava/lang/String; @@ -20327,7 +20486,7 @@ PLokhttp3/HttpUrl$Builder;->username(Ljava/lang/String;)Lokhttp3/HttpUrl$Builder Lokhttp3/HttpUrl$Companion; HSPLokhttp3/HttpUrl$Companion;->()V HSPLokhttp3/HttpUrl$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HSPLokhttp3/HttpUrl$Companion;->defaultPort(Ljava/lang/String;)I +HPLokhttp3/HttpUrl$Companion;->defaultPort(Ljava/lang/String;)I HSPLokhttp3/HttpUrl$Companion;->get(Ljava/lang/String;)Lokhttp3/HttpUrl; PLokhttp3/MediaType;->()V PLokhttp3/MediaType;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;[Ljava/lang/String;)V @@ -20558,14 +20717,14 @@ PLokhttp3/internal/CommonHttpUrl;->commonNewBuilder(Lokhttp3/HttpUrl;Ljava/lang/ HPLokhttp3/internal/CommonHttpUrl;->commonParse$okhttp(Lokhttp3/HttpUrl$Builder;Lokhttp3/HttpUrl;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; PLokhttp3/internal/CommonHttpUrl;->commonPassword(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; PLokhttp3/internal/CommonHttpUrl;->commonPort(Lokhttp3/HttpUrl$Builder;I)Lokhttp3/HttpUrl$Builder; -PLokhttp3/internal/CommonHttpUrl;->commonRedact$okhttp(Lokhttp3/HttpUrl;)Ljava/lang/String; +HPLokhttp3/internal/CommonHttpUrl;->commonRedact$okhttp(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->commonResolve(Lokhttp3/HttpUrl;Ljava/lang/String;)Lokhttp3/HttpUrl; PLokhttp3/internal/CommonHttpUrl;->commonScheme(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; HSPLokhttp3/internal/CommonHttpUrl;->commonToHttpUrl$okhttp(Ljava/lang/String;)Lokhttp3/HttpUrl; HPLokhttp3/internal/CommonHttpUrl;->commonToString$okhttp(Lokhttp3/HttpUrl$Builder;)Ljava/lang/String; -PLokhttp3/internal/CommonHttpUrl;->commonToString(Lokhttp3/HttpUrl;)Ljava/lang/String; +HPLokhttp3/internal/CommonHttpUrl;->commonToString(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->commonUsername(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Lokhttp3/HttpUrl$Builder; -HSPLokhttp3/internal/CommonHttpUrl;->effectivePort$okhttp(Lokhttp3/HttpUrl$Builder;)I +HPLokhttp3/internal/CommonHttpUrl;->effectivePort$okhttp(Lokhttp3/HttpUrl$Builder;)I PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedFragment(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedPassword(Lokhttp3/HttpUrl;)Ljava/lang/String; PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedPath(Lokhttp3/HttpUrl;)Ljava/lang/String; @@ -20574,16 +20733,16 @@ PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedQuery(Lokhttp3/HttpUrl;)Ljava PLokhttp3/internal/CommonHttpUrl;->getCommonEncodedUsername(Lokhttp3/HttpUrl;)Ljava/lang/String; HPLokhttp3/internal/CommonHttpUrl;->isDot$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Z HPLokhttp3/internal/CommonHttpUrl;->isDotDot$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;)Z -HSPLokhttp3/internal/CommonHttpUrl;->percentDecode$okhttp$default(Lokhttp3/internal/CommonHttpUrl;Ljava/lang/String;IIZILjava/lang/Object;)Ljava/lang/String; +HPLokhttp3/internal/CommonHttpUrl;->percentDecode$okhttp$default(Lokhttp3/internal/CommonHttpUrl;Ljava/lang/String;IIZILjava/lang/Object;)Ljava/lang/String; HPLokhttp3/internal/CommonHttpUrl;->percentDecode$okhttp(Ljava/lang/String;IIZ)Ljava/lang/String; HSPLokhttp3/internal/CommonHttpUrl;->portColonOffset$okhttp(Ljava/lang/String;II)I HPLokhttp3/internal/CommonHttpUrl;->push$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;IIZZ)V HPLokhttp3/internal/CommonHttpUrl;->resolvePath$okhttp(Lokhttp3/HttpUrl$Builder;Ljava/lang/String;II)V -HSPLokhttp3/internal/CommonHttpUrl;->schemeDelimiterOffset$okhttp(Ljava/lang/String;II)I +HPLokhttp3/internal/CommonHttpUrl;->schemeDelimiterOffset$okhttp(Ljava/lang/String;II)I HSPLokhttp3/internal/CommonHttpUrl;->slashCount$okhttp(Ljava/lang/String;II)I HPLokhttp3/internal/CommonHttpUrl;->toPathString$okhttp(Ljava/util/List;Ljava/lang/StringBuilder;)V -PLokhttp3/internal/CommonHttpUrl;->toQueryNamesAndValues$okhttp(Ljava/lang/String;)Ljava/util/List; -PLokhttp3/internal/CommonHttpUrl;->toQueryString$okhttp(Ljava/util/List;Ljava/lang/StringBuilder;)V +HPLokhttp3/internal/CommonHttpUrl;->toQueryNamesAndValues$okhttp(Ljava/lang/String;)Ljava/util/List; +HPLokhttp3/internal/CommonHttpUrl;->toQueryString$okhttp(Ljava/util/List;Ljava/lang/StringBuilder;)V Lokhttp3/internal/HttpUrlCommon; HSPLokhttp3/internal/HttpUrlCommon;->()V HSPLokhttp3/internal/HttpUrlCommon;->()V @@ -20614,7 +20773,7 @@ HSPLokhttp3/internal/_HeadersCommonKt;->commonHeadersOf([Ljava/lang/String;)Lokh HPLokhttp3/internal/_HeadersCommonKt;->commonName(Lokhttp3/Headers;I)Ljava/lang/String; HPLokhttp3/internal/_HeadersCommonKt;->commonNewBuilder(Lokhttp3/Headers;)Lokhttp3/Headers$Builder; PLokhttp3/internal/_HeadersCommonKt;->commonRemoveAll(Lokhttp3/Headers$Builder;Ljava/lang/String;)Lokhttp3/Headers$Builder; -PLokhttp3/internal/_HeadersCommonKt;->commonSet(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; +HPLokhttp3/internal/_HeadersCommonKt;->commonSet(Lokhttp3/Headers$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Headers$Builder; HPLokhttp3/internal/_HeadersCommonKt;->commonValue(Lokhttp3/Headers;I)Ljava/lang/String; HPLokhttp3/internal/_HeadersCommonKt;->headersCheckName(Ljava/lang/String;)V HPLokhttp3/internal/_HeadersCommonKt;->headersCheckValue(Ljava/lang/String;Ljava/lang/String;)V @@ -20622,7 +20781,7 @@ Lokhttp3/internal/_HostnamesCommonKt; HSPLokhttp3/internal/_HostnamesCommonKt;->()V PLokhttp3/internal/_HostnamesCommonKt;->canParseAsIpAddress(Ljava/lang/String;)Z HPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidHostnameAsciiCodes(Ljava/lang/String;)Z -HSPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidLabelLengths(Ljava/lang/String;)Z +HPLokhttp3/internal/_HostnamesCommonKt;->containsInvalidLabelLengths(Ljava/lang/String;)Z HPLokhttp3/internal/_HostnamesCommonKt;->idnToAscii(Ljava/lang/String;)Ljava/lang/String; HPLokhttp3/internal/_HostnamesCommonKt;->toCanonicalHost(Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_MediaTypeCommonKt;->()V @@ -20630,7 +20789,7 @@ HPLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaType(Ljava/lang/String;)Lo PLokhttp3/internal/_MediaTypeCommonKt;->commonToMediaTypeOrNull(Ljava/lang/String;)Lokhttp3/MediaType; PLokhttp3/internal/_MediaTypeCommonKt;->commonToString(Lokhttp3/MediaType;)Ljava/lang/String; Lokhttp3/internal/_NormalizeJvmKt; -HSPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; +HPLokhttp3/internal/_NormalizeJvmKt;->normalizeNfc(Ljava/lang/String;)Ljava/lang/String; Lokhttp3/internal/_RequestBodyCommonKt; PLokhttp3/internal/_RequestBodyCommonKt;->commonIsDuplex(Lokhttp3/RequestBody;)Z HSPLokhttp3/internal/_RequestBodyCommonKt;->commonToRequestBody([BLokhttp3/MediaType;II)Lokhttp3/RequestBody; @@ -20641,7 +20800,7 @@ HPLokhttp3/internal/_RequestCommonKt;->commonAddHeader(Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request$Builder;Ljava/lang/String;Ljava/lang/String;)Lokhttp3/Request$Builder; HPLokhttp3/internal/_RequestCommonKt;->commonHeader(Lokhttp3/Request;Ljava/lang/String;)Ljava/lang/String; PLokhttp3/internal/_RequestCommonKt;->commonHeaders(Lokhttp3/Request$Builder;Lokhttp3/Headers;)Lokhttp3/Request$Builder; -PLokhttp3/internal/_RequestCommonKt;->commonMethod(Lokhttp3/Request$Builder;Ljava/lang/String;Lokhttp3/RequestBody;)Lokhttp3/Request$Builder; +HPLokhttp3/internal/_RequestCommonKt;->commonMethod(Lokhttp3/Request$Builder;Ljava/lang/String;Lokhttp3/RequestBody;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonRemoveHeader(Lokhttp3/Request$Builder;Ljava/lang/String;)Lokhttp3/Request$Builder; PLokhttp3/internal/_RequestCommonKt;->commonTag(Lokhttp3/Request$Builder;Lkotlin/reflect/KClass;Ljava/lang/Object;)Lokhttp3/Request$Builder; Lokhttp3/internal/_ResponseBodyCommonKt; @@ -20658,14 +20817,14 @@ HPLokhttp3/internal/_ResponseCommonKt;->commonHeader(Lokhttp3/Response;Ljava/lan PLokhttp3/internal/_ResponseCommonKt;->commonHeaders(Lokhttp3/Response$Builder;Lokhttp3/Headers;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonMessage(Lokhttp3/Response$Builder;Ljava/lang/String;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonNetworkResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; -HPLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; +PLokhttp3/internal/_ResponseCommonKt;->commonNewBuilder(Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonPriorResponse(Lokhttp3/Response$Builder;Lokhttp3/Response;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonProtocol(Lokhttp3/Response$Builder;Lokhttp3/Protocol;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonRequest(Lokhttp3/Response$Builder;Lokhttp3/Request;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->commonTrailers(Lokhttp3/Response$Builder;Lkotlin/jvm/functions/Function0;)Lokhttp3/Response$Builder; PLokhttp3/internal/_ResponseCommonKt;->getCommonCacheControl(Lokhttp3/Response;)Lokhttp3/CacheControl; PLokhttp3/internal/_ResponseCommonKt;->getCommonIsRedirect(Lokhttp3/Response;)Z -HPLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z +PLokhttp3/internal/_ResponseCommonKt;->getCommonIsSuccessful(Lokhttp3/Response;)Z PLokhttp3/internal/_ResponseCommonKt;->stripBody(Lokhttp3/Response;)Lokhttp3/Response; Lokhttp3/internal/_UtilCommonKt; HSPLokhttp3/internal/_UtilCommonKt;->()V @@ -20675,7 +20834,7 @@ PLokhttp3/internal/_UtilCommonKt;->and(IJ)J PLokhttp3/internal/_UtilCommonKt;->and(SI)I HSPLokhttp3/internal/_UtilCommonKt;->checkOffsetAndCount(JJJ)V PLokhttp3/internal/_UtilCommonKt;->closeQuietly(Ljava/io/Closeable;)V -PLokhttp3/internal/_UtilCommonKt;->delimiterOffset(Ljava/lang/String;CII)I +HPLokhttp3/internal/_UtilCommonKt;->delimiterOffset(Ljava/lang/String;CII)I HPLokhttp3/internal/_UtilCommonKt;->delimiterOffset(Ljava/lang/String;Ljava/lang/String;II)I PLokhttp3/internal/_UtilCommonKt;->getCommonEmptyHeaders()Lokhttp3/Headers; PLokhttp3/internal/_UtilCommonKt;->getCommonEmptyRequestBody()Lokhttp3/RequestBody; @@ -20693,9 +20852,10 @@ PLokhttp3/internal/_UtilCommonKt;->matchAtPolyfill(Lkotlin/text/Regex;Ljava/lang HPLokhttp3/internal/_UtilCommonKt;->readMedium(Lokio/BufferedSource;)I PLokhttp3/internal/_UtilCommonKt;->toLongOrDefault(Ljava/lang/String;J)J PLokhttp3/internal/_UtilCommonKt;->toNonNegativeInt(Ljava/lang/String;I)I +PLokhttp3/internal/_UtilCommonKt;->withSuppressed(Ljava/lang/Exception;Ljava/util/List;)Ljava/lang/Throwable; PLokhttp3/internal/_UtilCommonKt;->writeMedium(Lokio/BufferedSink;I)V -PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$aiIKyiCVQJMoJuLBZzlTCC9JyKk(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; -PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$zVjOF8EpEt9HO-4CCFO4lcqRfxo(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; +PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$ZdS4dfhTHo1yF9ojhmqiKNov7Oo(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; +PLokhttp3/internal/_UtilJvmKt;->$r8$lambda$l8i63T3ps_ONtdNef1e9KEW8Pbs(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; PLokhttp3/internal/_UtilJvmKt;->()V PLokhttp3/internal/_UtilJvmKt;->asFactory$lambda$9(Lokhttp3/EventListener;Lokhttp3/Call;)Lokhttp3/EventListener; PLokhttp3/internal/_UtilJvmKt;->asFactory(Lokhttp3/EventListener;)Lokhttp3/EventListener$Factory; @@ -20705,14 +20865,14 @@ PLokhttp3/internal/_UtilJvmKt;->headersContentLength(Lokhttp3/Response;)J PLokhttp3/internal/_UtilJvmKt;->immutableListOf([Ljava/lang/Object;)Ljava/util/List; PLokhttp3/internal/_UtilJvmKt;->threadFactory$lambda$1(Ljava/lang/String;ZLjava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/_UtilJvmKt;->threadFactory(Ljava/lang/String;Z)Ljava/util/concurrent/ThreadFactory; -HPLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; +PLokhttp3/internal/_UtilJvmKt;->toHeaders(Ljava/util/List;)Lokhttp3/Headers; PLokhttp3/internal/_UtilJvmKt;->toHostHeader$default(Lokhttp3/HttpUrl;ZILjava/lang/Object;)Ljava/lang/String; PLokhttp3/internal/_UtilJvmKt;->toHostHeader(Lokhttp3/HttpUrl;Z)Ljava/lang/String; -PLokhttp3/internal/_UtilJvmKt;->toImmutableList(Ljava/util/List;)Ljava/util/List; -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->(Ljava/lang/String;Z)V -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->(Lokhttp3/EventListener;)V -PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->create(Lokhttp3/Call;)Lokhttp3/EventListener; +HPLokhttp3/internal/_UtilJvmKt;->toImmutableList(Ljava/util/List;)Ljava/util/List; +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->(Lokhttp3/EventListener;)V +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda0;->create(Lokhttp3/Call;)Lokhttp3/EventListener; +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->(Ljava/lang/String;Z)V +PLokhttp3/internal/_UtilJvmKt$$ExternalSyntheticLambda1;->newThread(Ljava/lang/Runnable;)Ljava/lang/Thread; PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;)V PLokhttp3/internal/authenticator/JavaNetAuthenticator;->(Lokhttp3/Dns;ILkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/cache/CacheInterceptor;->()V @@ -20812,7 +20972,7 @@ PLokhttp3/internal/concurrent/TaskRunner;->getBackend()Lokhttp3/internal/concurr PLokhttp3/internal/concurrent/TaskRunner;->getCondition()Ljava/util/concurrent/locks/Condition; PLokhttp3/internal/concurrent/TaskRunner;->getLock()Ljava/util/concurrent/locks/ReentrantLock; PLokhttp3/internal/concurrent/TaskRunner;->getLogger$okhttp()Ljava/util/logging/Logger; -HPLokhttp3/internal/concurrent/TaskRunner;->kickCoordinator$okhttp(Lokhttp3/internal/concurrent/TaskQueue;)V +PLokhttp3/internal/concurrent/TaskRunner;->kickCoordinator$okhttp(Lokhttp3/internal/concurrent/TaskQueue;)V PLokhttp3/internal/concurrent/TaskRunner;->newQueue()Lokhttp3/internal/concurrent/TaskQueue; PLokhttp3/internal/concurrent/TaskRunner;->runTask(Lokhttp3/internal/concurrent/Task;)V PLokhttp3/internal/concurrent/TaskRunner$Companion;->()V @@ -20824,7 +20984,7 @@ PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->decorate(Ljava/util/concu PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->execute(Lokhttp3/internal/concurrent/TaskRunner;Ljava/lang/Runnable;)V PLokhttp3/internal/concurrent/TaskRunner$RealBackend;->nanoTime()J PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->(Lokhttp3/internal/concurrent/TaskRunner;)V -HPLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V +PLokhttp3/internal/concurrent/TaskRunner$runnable$1;->run()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->()V PLokhttp3/internal/connection/ConnectInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; @@ -20873,6 +21033,9 @@ PLokhttp3/internal/connection/Exchange$ResponseBodySource;->(Lokhttp3/inte PLokhttp3/internal/connection/Exchange$ResponseBodySource;->close()V PLokhttp3/internal/connection/Exchange$ResponseBodySource;->complete(Ljava/io/IOException;)Ljava/io/IOException; HPLokhttp3/internal/connection/Exchange$ResponseBodySource;->read(Lokio/Buffer;J)J +PLokhttp3/internal/connection/FailedPlan;->(Ljava/lang/Throwable;)V +PLokhttp3/internal/connection/FailedPlan;->getResult()Lokhttp3/internal/connection/RoutePlanner$ConnectResult; +PLokhttp3/internal/connection/FailedPlan;->isReady()Z HPLokhttp3/internal/connection/FastFallbackExchangeFinder;->(Lokhttp3/internal/connection/RoutePlanner;Lokhttp3/internal/concurrent/TaskRunner;)V PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getConnectResults$p(Lokhttp3/internal/connection/FastFallbackExchangeFinder;)Ljava/util/concurrent/BlockingQueue; PLokhttp3/internal/connection/FastFallbackExchangeFinder;->access$getTcpConnectsInFlight$p(Lokhttp3/internal/connection/FastFallbackExchangeFinder;)Ljava/util/concurrent/CopyOnWriteArrayList; @@ -20887,10 +21050,11 @@ PLokhttp3/internal/connection/InetAddressOrderKt;->reorderForHappyEyeballs(Ljava HPLokhttp3/internal/connection/RealCall;->(Lokhttp3/OkHttpClient;Lokhttp3/Request;Z)V PLokhttp3/internal/connection/RealCall;->access$getTimeout$p(Lokhttp3/internal/connection/RealCall;)Lokhttp3/internal/connection/RealCall$timeout$1; PLokhttp3/internal/connection/RealCall;->acquireConnectionNoEvents(Lokhttp3/internal/connection/RealConnection;)V -PLokhttp3/internal/connection/RealCall;->callDone(Ljava/io/IOException;)Ljava/io/IOException; +HPLokhttp3/internal/connection/RealCall;->callDone(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->callStart()V +PLokhttp3/internal/connection/RealCall;->cancel()V HPLokhttp3/internal/connection/RealCall;->createAddress(Lokhttp3/HttpUrl;)Lokhttp3/Address; -PLokhttp3/internal/connection/RealCall;->enqueue(Lokhttp3/Callback;)V +HPLokhttp3/internal/connection/RealCall;->enqueue(Lokhttp3/Callback;)V HPLokhttp3/internal/connection/RealCall;->enterNetworkInterceptorExchange(Lokhttp3/Request;ZLokhttp3/internal/http/RealInterceptorChain;)V PLokhttp3/internal/connection/RealCall;->exitNetworkInterceptorExchange$okhttp(Z)V PLokhttp3/internal/connection/RealCall;->getClient()Lokhttp3/OkHttpClient; @@ -20907,11 +21071,12 @@ HPLokhttp3/internal/connection/RealCall;->messageDone$okhttp(Lokhttp3/internal/c PLokhttp3/internal/connection/RealCall;->noMoreExchanges$okhttp(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall;->redactedUrl$okhttp()Ljava/lang/String; PLokhttp3/internal/connection/RealCall;->releaseConnectionNoEvents$okhttp()Ljava/net/Socket; +PLokhttp3/internal/connection/RealCall;->retryAfterFailure()Z PLokhttp3/internal/connection/RealCall;->timeoutExit(Ljava/io/IOException;)Ljava/io/IOException; PLokhttp3/internal/connection/RealCall$AsyncCall;->(Lokhttp3/internal/connection/RealCall;Lokhttp3/Callback;)V PLokhttp3/internal/connection/RealCall$AsyncCall;->executeOn(Ljava/util/concurrent/ExecutorService;)V PLokhttp3/internal/connection/RealCall$AsyncCall;->getCall()Lokhttp3/internal/connection/RealCall; -PLokhttp3/internal/connection/RealCall$AsyncCall;->getCallsPerHost()Ljava/util/concurrent/atomic/AtomicInteger; +HPLokhttp3/internal/connection/RealCall$AsyncCall;->getCallsPerHost()Ljava/util/concurrent/atomic/AtomicInteger; PLokhttp3/internal/connection/RealCall$AsyncCall;->getHost()Ljava/lang/String; PLokhttp3/internal/connection/RealCall$AsyncCall;->reuseCallsPerHostFrom(Lokhttp3/internal/connection/RealCall$AsyncCall;)V HPLokhttp3/internal/connection/RealCall$AsyncCall;->run()V @@ -20972,7 +21137,9 @@ PLokhttp3/internal/connection/RouteDatabase;->shouldPostpone(Lokhttp3/Route;)Z PLokhttp3/internal/connection/RoutePlanner;->hasNext$default(Lokhttp3/internal/connection/RoutePlanner;Lokhttp3/internal/connection/RealConnection;ILjava/lang/Object;)Z PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->(Lokhttp3/internal/connection/RoutePlanner$Plan;Lokhttp3/internal/connection/RoutePlanner$Plan;Ljava/lang/Throwable;)V PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->(Lokhttp3/internal/connection/RoutePlanner$Plan;Lokhttp3/internal/connection/RoutePlanner$Plan;Ljava/lang/Throwable;ILkotlin/jvm/internal/DefaultConstructorMarker;)V +PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->getNextPlan()Lokhttp3/internal/connection/RoutePlanner$Plan; PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->getPlan()Lokhttp3/internal/connection/RoutePlanner$Plan; +PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->getThrowable()Ljava/lang/Throwable; PLokhttp3/internal/connection/RoutePlanner$ConnectResult;->isSuccess()Z PLokhttp3/internal/connection/RouteSelector;->()V PLokhttp3/internal/connection/RouteSelector;->(Lokhttp3/Address;Lokhttp3/internal/connection/RouteDatabase;Lokhttp3/Call;ZLokhttp3/EventListener;)V @@ -20980,7 +21147,7 @@ PLokhttp3/internal/connection/RouteSelector;->hasNext()Z PLokhttp3/internal/connection/RouteSelector;->hasNextProxy()Z PLokhttp3/internal/connection/RouteSelector;->next()Lokhttp3/internal/connection/RouteSelector$Selection; PLokhttp3/internal/connection/RouteSelector;->nextProxy()Ljava/net/Proxy; -PLokhttp3/internal/connection/RouteSelector;->resetNextInetSocketAddress(Ljava/net/Proxy;)V +HPLokhttp3/internal/connection/RouteSelector;->resetNextInetSocketAddress(Ljava/net/Proxy;)V PLokhttp3/internal/connection/RouteSelector;->resetNextProxy$selectProxies(Ljava/net/Proxy;Lokhttp3/HttpUrl;Lokhttp3/internal/connection/RouteSelector;)Ljava/util/List; PLokhttp3/internal/connection/RouteSelector;->resetNextProxy(Lokhttp3/HttpUrl;Ljava/net/Proxy;)V PLokhttp3/internal/connection/RouteSelector$Companion;->()V @@ -21001,7 +21168,7 @@ PLokhttp3/internal/http/HttpMethod;->()V PLokhttp3/internal/http/HttpMethod;->()V PLokhttp3/internal/http/HttpMethod;->invalidatesCache(Ljava/lang/String;)Z PLokhttp3/internal/http/HttpMethod;->permitsRequestBody(Ljava/lang/String;)Z -PLokhttp3/internal/http/HttpMethod;->requiresRequestBody(Ljava/lang/String;)Z +HPLokhttp3/internal/http/HttpMethod;->requiresRequestBody(Ljava/lang/String;)Z HPLokhttp3/internal/http/RealInterceptorChain;->(Lokhttp3/internal/connection/RealCall;Ljava/util/List;ILokhttp3/internal/connection/Exchange;Lokhttp3/Request;III)V PLokhttp3/internal/http/RealInterceptorChain;->call()Lokhttp3/Call; PLokhttp3/internal/http/RealInterceptorChain;->connectTimeoutMillis()I @@ -21026,7 +21193,10 @@ PLokhttp3/internal/http/RequestLine;->requestPath(Lokhttp3/HttpUrl;)Ljava/lang/S PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->(Lokhttp3/OkHttpClient;)V PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->followUpRequest(Lokhttp3/Response;Lokhttp3/internal/connection/Exchange;)Lokhttp3/Request; -PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; +HPLokhttp3/internal/http/RetryAndFollowUpInterceptor;->intercept(Lokhttp3/Interceptor$Chain;)Lokhttp3/Response; +PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->isRecoverable(Ljava/io/IOException;Z)Z +PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->recover(Ljava/io/IOException;Lokhttp3/internal/connection/RealCall;Lokhttp3/Request;Z)Z +PLokhttp3/internal/http/RetryAndFollowUpInterceptor;->requestIsOneShot(Ljava/io/IOException;Lokhttp3/Request;)Z PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->()V PLokhttp3/internal/http/RetryAndFollowUpInterceptor$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http/StatusLine;->()V @@ -21034,7 +21204,7 @@ PLokhttp3/internal/http/StatusLine;->(Lokhttp3/Protocol;ILjava/lang/String PLokhttp3/internal/http/StatusLine;->toString()Ljava/lang/String; PLokhttp3/internal/http/StatusLine$Companion;->()V PLokhttp3/internal/http/StatusLine$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V -HPLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; +PLokhttp3/internal/http/StatusLine$Companion;->parse(Ljava/lang/String;)Lokhttp3/internal/http/StatusLine; PLokhttp3/internal/http2/ErrorCode;->$values()[Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/ErrorCode;->()V PLokhttp3/internal/http2/ErrorCode;->(Ljava/lang/String;II)V @@ -21046,7 +21216,7 @@ PLokhttp3/internal/http2/FlowControlListener$None;->()V PLokhttp3/internal/http2/FlowControlListener$None;->receivingConnectionWindowChanged(Lokhttp3/internal/http2/flowcontrol/WindowCounter;)V PLokhttp3/internal/http2/FlowControlListener$None;->receivingStreamWindowChanged(ILokhttp3/internal/http2/flowcontrol/WindowCounter;J)V PLokhttp3/internal/http2/Header;->()V -HPLokhttp3/internal/http2/Header;->(Ljava/lang/String;Ljava/lang/String;)V +PLokhttp3/internal/http2/Header;->(Ljava/lang/String;Ljava/lang/String;)V PLokhttp3/internal/http2/Header;->(Lokio/ByteString;Ljava/lang/String;)V HPLokhttp3/internal/http2/Header;->(Lokio/ByteString;Lokio/ByteString;)V PLokhttp3/internal/http2/Header;->component1()Lokio/ByteString; @@ -21066,7 +21236,7 @@ PLokhttp3/internal/http2/Hpack$Reader;->getAndResetHeaderList()Ljava/util/List; PLokhttp3/internal/http2/Hpack$Reader;->getName(I)Lokio/ByteString; PLokhttp3/internal/http2/Hpack$Reader;->insertIntoDynamicTable(ILokhttp3/internal/http2/Header;)V PLokhttp3/internal/http2/Hpack$Reader;->isStaticHeader(I)Z -PLokhttp3/internal/http2/Hpack$Reader;->readByte()I +HPLokhttp3/internal/http2/Hpack$Reader;->readByte()I HPLokhttp3/internal/http2/Hpack$Reader;->readByteString()Lokio/ByteString; HPLokhttp3/internal/http2/Hpack$Reader;->readHeaders()V PLokhttp3/internal/http2/Hpack$Reader;->readIndexedHeader(I)V @@ -21145,7 +21315,7 @@ PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->applyAndAckSettings(ZL HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->data(ZILokio/BufferedSource;I)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->headers(ZIILjava/util/List;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()Ljava/lang/Object; -HPLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V +PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->invoke()V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->settings(ZLokhttp3/internal/http2/Settings;)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable;->windowUpdate(IJ)V PLokhttp3/internal/http2/Http2Connection$ReaderRunnable$applyAndAckSettings$1$1$2;->(Lokhttp3/internal/http2/Http2Connection;Lkotlin/jvm/internal/Ref$ObjectRef;)V @@ -21176,7 +21346,7 @@ PLokhttp3/internal/http2/Http2Reader;->(Lokio/BufferedSource;Z)V PLokhttp3/internal/http2/Http2Reader;->close()V HPLokhttp3/internal/http2/Http2Reader;->nextFrame(ZLokhttp3/internal/http2/Http2Reader$Handler;)Z PLokhttp3/internal/http2/Http2Reader;->readConnectionPreface(Lokhttp3/internal/http2/Http2Reader$Handler;)V -HPLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V +PLokhttp3/internal/http2/Http2Reader;->readData(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readHeaderBlock(IIII)Ljava/util/List; PLokhttp3/internal/http2/Http2Reader;->readHeaders(Lokhttp3/internal/http2/Http2Reader$Handler;III)V PLokhttp3/internal/http2/Http2Reader;->readSettings(Lokhttp3/internal/http2/Http2Reader$Handler;III)V @@ -21198,7 +21368,7 @@ PLokhttp3/internal/http2/Http2Stream;->access$doReadTimeout(Lokhttp3/internal/ht PLokhttp3/internal/http2/Http2Stream;->addBytesToWriteWindow(J)V PLokhttp3/internal/http2/Http2Stream;->cancelStreamIfNecessary$okhttp()V PLokhttp3/internal/http2/Http2Stream;->checkOutNotClosed$okhttp()V -HPLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z +PLokhttp3/internal/http2/Http2Stream;->doReadTimeout()Z PLokhttp3/internal/http2/Http2Stream;->getConnection()Lokhttp3/internal/http2/Http2Connection; PLokhttp3/internal/http2/Http2Stream;->getErrorCode$okhttp()Lokhttp3/internal/http2/ErrorCode; PLokhttp3/internal/http2/Http2Stream;->getId()I @@ -21213,7 +21383,7 @@ PLokhttp3/internal/http2/Http2Stream;->getWriteTimeout$okhttp()Lokhttp3/internal PLokhttp3/internal/http2/Http2Stream;->isLocallyInitiated()Z HPLokhttp3/internal/http2/Http2Stream;->isOpen()Z PLokhttp3/internal/http2/Http2Stream;->readTimeout()Lokio/Timeout; -HPLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V +PLokhttp3/internal/http2/Http2Stream;->receiveData(Lokio/BufferedSource;I)V HPLokhttp3/internal/http2/Http2Stream;->receiveHeaders(Lokhttp3/Headers;Z)V PLokhttp3/internal/http2/Http2Stream;->setWriteBytesTotal$okhttp(J)V PLokhttp3/internal/http2/Http2Stream;->takeHeaders(Z)Lokhttp3/Headers; @@ -21222,7 +21392,7 @@ PLokhttp3/internal/http2/Http2Stream;->writeTimeout()Lokio/Timeout; PLokhttp3/internal/http2/Http2Stream$Companion;->()V PLokhttp3/internal/http2/Http2Stream$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->(Lokhttp3/internal/http2/Http2Stream;Z)V -HPLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V +PLokhttp3/internal/http2/Http2Stream$FramingSink;->close()V PLokhttp3/internal/http2/Http2Stream$FramingSink;->emitFrame(Z)V PLokhttp3/internal/http2/Http2Stream$FramingSink;->getClosed()Z PLokhttp3/internal/http2/Http2Stream$FramingSink;->getFinished()Z @@ -21257,6 +21427,7 @@ PLokhttp3/internal/http2/Http2Writer$Companion;->(Lkotlin/jvm/internal/Def PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->()V PLokhttp3/internal/http2/Huffman;->addCode(III)V +HPLokhttp3/internal/http2/Huffman;->decode(Lokio/BufferedSource;JLokio/BufferedSink;)V HPLokhttp3/internal/http2/Huffman;->encode(Lokio/ByteString;Lokio/BufferedSink;)V PLokhttp3/internal/http2/Huffman;->encodedLength(Lokio/ByteString;)I PLokhttp3/internal/http2/Huffman$Node;->()V @@ -21272,7 +21443,7 @@ PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->()V PLokhttp3/internal/http2/Settings;->get(I)I PLokhttp3/internal/http2/Settings;->getHeaderTableSize()I -HPLokhttp3/internal/http2/Settings;->getInitialWindowSize()I +PLokhttp3/internal/http2/Settings;->getInitialWindowSize()I PLokhttp3/internal/http2/Settings;->getMaxConcurrentStreams()I PLokhttp3/internal/http2/Settings;->getMaxFrameSize(I)I PLokhttp3/internal/http2/Settings;->isSet(I)Z @@ -21287,7 +21458,7 @@ PLokhttp3/internal/http2/flowcontrol/WindowCounter;->update$default(Lokhttp3/int HPLokhttp3/internal/http2/flowcontrol/WindowCounter;->update(JJ)V Lokhttp3/internal/idn/IdnaMappingTable; HSPLokhttp3/internal/idn/IdnaMappingTable;->(Ljava/lang/String;Ljava/lang/String;Ljava/lang/String;)V -HSPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I +HPLokhttp3/internal/idn/IdnaMappingTable;->findRangesOffset(III)I HPLokhttp3/internal/idn/IdnaMappingTable;->findSectionsIndex(I)I HPLokhttp3/internal/idn/IdnaMappingTable;->map(ILokio/BufferedSink;)Z Lokhttp3/internal/idn/IdnaMappingTableInstanceKt; @@ -21299,7 +21470,7 @@ Lokhttp3/internal/idn/Punycode; HSPLokhttp3/internal/idn/Punycode;->()V HSPLokhttp3/internal/idn/Punycode;->()V HPLokhttp3/internal/idn/Punycode;->decode(Ljava/lang/String;)Ljava/lang/String; -HSPLokhttp3/internal/idn/Punycode;->decodeLabel(Ljava/lang/String;IILokio/Buffer;)Z +HPLokhttp3/internal/idn/Punycode;->decodeLabel(Ljava/lang/String;IILokio/Buffer;)Z HPLokhttp3/internal/idn/Punycode;->encode(Ljava/lang/String;)Ljava/lang/String; HSPLokhttp3/internal/idn/Punycode;->encodeLabel(Ljava/lang/String;IILokio/Buffer;)Z HSPLokhttp3/internal/idn/Punycode;->requiresEncode(Ljava/lang/String;II)Z @@ -21321,7 +21492,7 @@ PLokhttp3/internal/platform/Platform;->afterHandshake(Ljavax/net/ssl/SSLSocket;) PLokhttp3/internal/platform/Platform;->connectSocket(Ljava/net/Socket;Ljava/net/InetSocketAddress;I)V PLokhttp3/internal/platform/Platform;->getPrefix()Ljava/lang/String; PLokhttp3/internal/platform/Platform;->log$default(Lokhttp3/internal/platform/Platform;Ljava/lang/String;ILjava/lang/Throwable;ILjava/lang/Object;)V -PLokhttp3/internal/platform/Platform;->log(Ljava/lang/String;ILjava/lang/Throwable;)V +HPLokhttp3/internal/platform/Platform;->log(Ljava/lang/String;ILjava/lang/Throwable;)V PLokhttp3/internal/platform/Platform;->newSSLContext()Ljavax/net/ssl/SSLContext; PLokhttp3/internal/platform/Platform;->newSslSocketFactory(Ljavax/net/ssl/X509TrustManager;)Ljavax/net/ssl/SSLSocketFactory; PLokhttp3/internal/platform/Platform;->platformTrustManager()Ljavax/net/ssl/X509TrustManager; @@ -21361,7 +21532,7 @@ PLokhttp3/internal/platform/android/AndroidLogHandler;->()V PLokhttp3/internal/platform/android/AndroidLogHandler;->()V HPLokhttp3/internal/platform/android/AndroidLogHandler;->publish(Ljava/util/logging/LogRecord;)V PLokhttp3/internal/platform/android/AndroidLogKt;->access$getAndroidLevel(Ljava/util/logging/LogRecord;)I -PLokhttp3/internal/platform/android/AndroidLogKt;->getAndroidLevel(Ljava/util/logging/LogRecord;)I +HPLokhttp3/internal/platform/android/AndroidLogKt;->getAndroidLevel(Ljava/util/logging/LogRecord;)I PLokhttp3/internal/platform/android/AndroidSocketAdapter;->()V PLokhttp3/internal/platform/android/AndroidSocketAdapter;->access$getPlayProviderFactory$cp()Lokhttp3/internal/platform/android/DeferredSocketAdapter$Factory; PLokhttp3/internal/platform/android/AndroidSocketAdapter$Companion;->()V @@ -21409,7 +21580,7 @@ PLokhttp3/logging/HttpLoggingInterceptor$Logger;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion;->()V PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->()V -PLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->log(Ljava/lang/String;)V +HPLokhttp3/logging/HttpLoggingInterceptor$Logger$Companion$DefaultLogger;->log(Ljava/lang/String;)V PLokio/-Base64;->()V PLokio/-Base64;->encodeBase64$default([B[BILjava/lang/Object;)Ljava/lang/String; HPLokio/-Base64;->encodeBase64([B[B)Ljava/lang/String; @@ -21460,40 +21631,47 @@ HPLokio/AsyncTimeout$source$1;->read(Lokio/Buffer;J)J Lokio/Buffer; HPLokio/Buffer;->()V PLokio/Buffer;->clear()V -HPLokio/Buffer;->completeSegmentByteCount()J +PLokio/Buffer;->completeSegmentByteCount()J HPLokio/Buffer;->copyTo(Lokio/Buffer;JJ)Lokio/Buffer; HPLokio/Buffer;->exhausted()Z +HSPLokio/Buffer;->getByte(J)B HPLokio/Buffer;->indexOf(BJJ)J -PLokio/Buffer;->indexOfElement(Lokio/ByteString;)J +HPLokio/Buffer;->indexOfElement(Lokio/ByteString;)J +HPLokio/Buffer;->indexOfElement(Lokio/ByteString;J)J HPLokio/Buffer;->rangeEquals(JLokio/ByteString;)Z HPLokio/Buffer;->rangeEquals(JLokio/ByteString;II)Z HPLokio/Buffer;->read(Ljava/nio/ByteBuffer;)I HPLokio/Buffer;->read(Lokio/Buffer;J)J HPLokio/Buffer;->read([BII)I +PLokio/Buffer;->readByte()B HPLokio/Buffer;->readByteArray(J)[B -HPLokio/Buffer;->readByteString()Lokio/ByteString; +PLokio/Buffer;->readByteString()Lokio/ByteString; HPLokio/Buffer;->readByteString(J)Lokio/ByteString; HPLokio/Buffer;->readFully([B)V HPLokio/Buffer;->readInt()I PLokio/Buffer;->readIntLe()I PLokio/Buffer;->readShort()S +HSPLokio/Buffer;->readString(JLjava/nio/charset/Charset;)Ljava/lang/String; HSPLokio/Buffer;->readUtf8()Ljava/lang/String; -HPLokio/Buffer;->readUtf8(J)Ljava/lang/String; -HSPLokio/Buffer;->readUtf8CodePoint()I +HPLokio/Buffer;->readUtf8CodePoint()I HPLokio/Buffer;->setSize$okio(J)V HPLokio/Buffer;->size()J +HPLokio/Buffer;->skip(J)V HPLokio/Buffer;->writableSegment$okio(I)Lokio/Segment; +HPLokio/Buffer;->write(Lokio/Buffer;J)V HPLokio/Buffer;->write(Lokio/ByteString;)Lokio/Buffer; HSPLokio/Buffer;->write([B)Lokio/Buffer; +HSPLokio/Buffer;->write([BII)Lokio/Buffer; HSPLokio/Buffer;->writeAll(Lokio/Source;)J HPLokio/Buffer;->writeByte(I)Lokio/Buffer; HPLokio/Buffer;->writeByte(I)Lokio/BufferedSink; HPLokio/Buffer;->writeDecimalLong(J)Lokio/Buffer; -HPLokio/Buffer;->writeInt(I)Lokio/Buffer; +HSPLokio/Buffer;->writeInt(I)Lokio/Buffer; PLokio/Buffer;->writeShort(I)Lokio/Buffer; HPLokio/Buffer;->writeUtf8(Ljava/lang/String;)Lokio/Buffer; +HPLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/Buffer; PLokio/Buffer;->writeUtf8(Ljava/lang/String;II)Lokio/BufferedSink; -HPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; +HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/Buffer; HSPLokio/Buffer;->writeUtf8CodePoint(I)Lokio/BufferedSink; Lokio/Buffer$UnsafeCursor; HSPLokio/Buffer$UnsafeCursor;->()V @@ -21514,11 +21692,11 @@ HPLokio/ByteString;->getByte(I)B HPLokio/ByteString;->getData$okio()[B PLokio/ByteString;->getHashCode$okio()I HPLokio/ByteString;->getSize$okio()I -PLokio/ByteString;->getUtf8$okio()Ljava/lang/String; +HPLokio/ByteString;->getUtf8$okio()Ljava/lang/String; PLokio/ByteString;->hashCode()I HPLokio/ByteString;->hex()Ljava/lang/String; PLokio/ByteString;->indexOf$default(Lokio/ByteString;Lokio/ByteString;IILjava/lang/Object;)I -HPLokio/ByteString;->indexOf(Lokio/ByteString;I)I +PLokio/ByteString;->indexOf(Lokio/ByteString;I)I HPLokio/ByteString;->indexOf([BI)I PLokio/ByteString;->internalArray$okio()[B HPLokio/ByteString;->internalGet$okio(I)B @@ -21526,12 +21704,12 @@ PLokio/ByteString;->lastIndexOf$default(Lokio/ByteString;Lokio/ByteString;IILjav PLokio/ByteString;->lastIndexOf(Lokio/ByteString;I)I HPLokio/ByteString;->lastIndexOf([BI)I PLokio/ByteString;->md5()Lokio/ByteString; -HPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z +HSPLokio/ByteString;->rangeEquals(ILokio/ByteString;II)Z HPLokio/ByteString;->rangeEquals(I[BII)Z PLokio/ByteString;->setHashCode$okio(I)V HPLokio/ByteString;->setUtf8$okio(Ljava/lang/String;)V PLokio/ByteString;->sha256()Lokio/ByteString; -HPLokio/ByteString;->size()I +HSPLokio/ByteString;->size()I HSPLokio/ByteString;->startsWith(Lokio/ByteString;)Z PLokio/ByteString;->substring$default(Lokio/ByteString;IIILjava/lang/Object;)Lokio/ByteString; HPLokio/ByteString;->substring(II)Lokio/ByteString; @@ -21583,7 +21761,7 @@ PLokio/ForwardingFileSystem;->createDirectory(Lokio/Path;Z)V PLokio/ForwardingFileSystem;->delete(Lokio/Path;Z)V HPLokio/ForwardingFileSystem;->metadataOrNull(Lokio/Path;)Lokio/FileMetadata; HPLokio/ForwardingFileSystem;->onPathParameter(Lokio/Path;Ljava/lang/String;Ljava/lang/String;)Lokio/Path; -HPLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; +PLokio/ForwardingFileSystem;->sink(Lokio/Path;Z)Lokio/Sink; PLokio/ForwardingSink;->(Lokio/Sink;)V PLokio/ForwardingSink;->close()V PLokio/ForwardingSink;->flush()V @@ -21602,7 +21780,7 @@ PLokio/GzipSource;->updateCrc(Lokio/Buffer;JJ)V PLokio/InflaterSource;->(Lokio/BufferedSource;Ljava/util/zip/Inflater;)V PLokio/InflaterSource;->close()V PLokio/InflaterSource;->read(Lokio/Buffer;J)J -PLokio/InflaterSource;->readOrInflate(Lokio/Buffer;J)J +HPLokio/InflaterSource;->readOrInflate(Lokio/Buffer;J)J PLokio/InflaterSource;->refill()Z PLokio/InflaterSource;->releaseBytesAfterInflate()V PLokio/InputStreamSource;->(Ljava/io/InputStream;Lokio/Timeout;)V @@ -21634,19 +21812,19 @@ PLokio/Okio;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio;->source(Ljava/net/Socket;)Lokio/Source; PLokio/Okio__JvmOkioKt;->()V PLokio/Okio__JvmOkioKt;->sink$default(Ljava/io/File;ZILjava/lang/Object;)Lokio/Sink; -HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; +PLokio/Okio__JvmOkioKt;->sink(Ljava/io/File;Z)Lokio/Sink; HPLokio/Okio__JvmOkioKt;->sink(Ljava/io/OutputStream;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->sink(Ljava/net/Socket;)Lokio/Sink; PLokio/Okio__JvmOkioKt;->source(Ljava/io/File;)Lokio/Source; PLokio/Okio__JvmOkioKt;->source(Ljava/net/Socket;)Lokio/Source; -HPLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; -HPLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; +PLokio/Okio__OkioKt;->buffer(Lokio/Sink;)Lokio/BufferedSink; +PLokio/Okio__OkioKt;->buffer(Lokio/Source;)Lokio/BufferedSource; Lokio/Options; HSPLokio/Options;->()V HSPLokio/Options;->([Lokio/ByteString;[I)V HSPLokio/Options;->([Lokio/ByteString;[ILkotlin/jvm/internal/DefaultConstructorMarker;)V HPLokio/Options;->getByteStrings$okio()[Lokio/ByteString; -HPLokio/Options;->getTrie$okio()[I +PLokio/Options;->getTrie$okio()[I PLokio/Options;->of([Lokio/ByteString;)Lokio/Options; Lokio/Options$Companion; HSPLokio/Options$Companion;->()V @@ -21672,7 +21850,7 @@ HPLokio/Path;->resolve(Ljava/lang/String;)Lokio/Path; PLokio/Path;->resolve(Ljava/lang/String;Z)Lokio/Path; HPLokio/Path;->toFile()Ljava/io/File; HPLokio/Path;->toNioPath()Ljava/nio/file/Path; -HPLokio/Path;->toString()Ljava/lang/String; +PLokio/Path;->toString()Ljava/lang/String; HPLokio/Path;->volumeLetter()Ljava/lang/Character; PLokio/Path$Companion;->()V PLokio/Path$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarker;)V @@ -21689,17 +21867,17 @@ PLokio/RealBufferedSink;->outputStream()Ljava/io/OutputStream; PLokio/RealBufferedSink;->write(Lokio/Buffer;J)V PLokio/RealBufferedSink;->write(Lokio/ByteString;)Lokio/BufferedSink; HPLokio/RealBufferedSink;->writeByte(I)Lokio/BufferedSink; -HPLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; +PLokio/RealBufferedSink;->writeDecimalLong(J)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeInt(I)Lokio/BufferedSink; PLokio/RealBufferedSink;->writeShort(I)Lokio/BufferedSink; +HPLokio/RealBufferedSink;->writeUtf8(Ljava/lang/String;)Lokio/BufferedSink; PLokio/RealBufferedSink$outputStream$1;->(Lokio/RealBufferedSink;)V PLokio/RealBufferedSink$outputStream$1;->write([BII)V HPLokio/RealBufferedSource;->(Lokio/Source;)V PLokio/RealBufferedSource;->close()V HPLokio/RealBufferedSource;->exhausted()Z PLokio/RealBufferedSource;->getBuffer()Lokio/Buffer; -PLokio/RealBufferedSource;->indexOf(BJJ)J -HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;)J +HPLokio/RealBufferedSource;->indexOf(BJJ)J HPLokio/RealBufferedSource;->indexOfElement(Lokio/ByteString;J)J PLokio/RealBufferedSource;->isOpen()Z PLokio/RealBufferedSource;->rangeEquals(JLokio/ByteString;)Z @@ -21715,7 +21893,6 @@ PLokio/RealBufferedSource;->readUtf8LineStrict()Ljava/lang/String; PLokio/RealBufferedSource;->readUtf8LineStrict(J)Ljava/lang/String; HPLokio/RealBufferedSource;->request(J)Z HPLokio/RealBufferedSource;->require(J)V -HPLokio/RealBufferedSource;->select(Lokio/Options;)I PLokio/RealBufferedSource;->skip(J)V Lokio/Segment; HSPLokio/Segment;->()V @@ -21724,7 +21901,7 @@ HPLokio/Segment;->([BIIZZ)V HPLokio/Segment;->compact()V HPLokio/Segment;->pop()Lokio/Segment; HPLokio/Segment;->push(Lokio/Segment;)Lokio/Segment; -HPLokio/Segment;->sharedCopy()Lokio/Segment; +PLokio/Segment;->sharedCopy()Lokio/Segment; HPLokio/Segment;->split(I)Lokio/Segment; HPLokio/Segment;->writeTo(Lokio/Segment;I)V Lokio/Segment$Companion; @@ -21733,6 +21910,7 @@ HSPLokio/Segment$Companion;->(Lkotlin/jvm/internal/DefaultConstructorMarke Lokio/SegmentPool; HSPLokio/SegmentPool;->()V HSPLokio/SegmentPool;->()V +HPLokio/SegmentPool;->firstRef()Ljava/util/concurrent/atomic/AtomicReference; HPLokio/SegmentPool;->recycle(Lokio/Segment;)V HPLokio/SegmentPool;->take()Lokio/Segment; Lokio/Sink; @@ -21756,14 +21934,14 @@ PLokio/_JvmPlatformKt;->newLock()Ljava/util/concurrent/locks/ReentrantLock; HPLokio/_JvmPlatformKt;->toUtf8String([B)Ljava/lang/String; PLokio/internal/-Buffer;->()V PLokio/internal/-Buffer;->getHEX_DIGIT_BYTES()[B -PLokio/internal/-Buffer;->readUtf8Line(Lokio/Buffer;J)Ljava/lang/String; +HPLokio/internal/-Buffer;->readUtf8Line(Lokio/Buffer;J)Ljava/lang/String; HPLokio/internal/-Buffer;->selectPrefix(Lokio/Buffer;Lokio/Options;Z)I Lokio/internal/-ByteString; HSPLokio/internal/-ByteString;->()V HSPLokio/internal/-ByteString;->access$decodeHexDigit(C)I HPLokio/internal/-ByteString;->commonWrite(Lokio/ByteString;Lokio/Buffer;II)V HSPLokio/internal/-ByteString;->decodeHexDigit(C)I -PLokio/internal/-ByteString;->getHEX_DIGIT_CHARS()[C +HPLokio/internal/-ByteString;->getHEX_DIGIT_CHARS()[C HPLokio/internal/-FileSystem;->commonCreateDirectories(Lokio/FileSystem;Lokio/Path;Z)V HPLokio/internal/-FileSystem;->commonExists(Lokio/FileSystem;Lokio/Path;)Z PLokio/internal/-FileSystem;->commonMetadata(Lokio/FileSystem;Lokio/Path;)Lokio/FileMetadata; @@ -21777,13 +21955,13 @@ PLokio/internal/-Path;->access$rootLength(Lokio/Path;)I HPLokio/internal/-Path;->commonResolve(Lokio/Path;Lokio/Path;Z)Lokio/Path; PLokio/internal/-Path;->commonToPath(Ljava/lang/String;Z)Lokio/Path; PLokio/internal/-Path;->getIndexOfLastSlash(Lokio/Path;)I -HPLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; +PLokio/internal/-Path;->getSlash(Lokio/Path;)Lokio/ByteString; PLokio/internal/-Path;->lastSegmentIsDotDot(Lokio/Path;)Z HPLokio/internal/-Path;->rootLength(Lokio/Path;)I PLokio/internal/-Path;->startsWithVolumeLetterAndColon(Lokio/Buffer;Lokio/ByteString;)Z HPLokio/internal/-Path;->toPath(Lokio/Buffer;Z)Lokio/Path; PLokio/internal/-Path;->toSlash(B)Lokio/ByteString; -PLokio/internal/-Path;->toSlash(Ljava/lang/String;)Lokio/ByteString; +HPLokio/internal/-Path;->toSlash(Ljava/lang/String;)Lokio/ByteString; PLokio/internal/ResourceFileSystem;->()V PLokio/internal/ResourceFileSystem;->(Ljava/lang/ClassLoader;ZLokio/FileSystem;)V PLokio/internal/ResourceFileSystem;->(Ljava/lang/ClassLoader;ZLokio/FileSystem;ILkotlin/jvm/internal/DefaultConstructorMarker;)V From 5211ef3180e4f2282041e23a145770b9c82b47f4 Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 18 Mar 2024 14:42:42 -0400 Subject: [PATCH 110/123] Prepare next development version. --- gradle.properties | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle.properties b/gradle.properties index b8340b6a5..f182864aa 100644 --- a/gradle.properties +++ b/gradle.properties @@ -83,7 +83,7 @@ POM_DEVELOPER_ID=slackhq POM_DEVELOPER_NAME=Slack Technologies, Inc. POM_DEVELOPER_URL=https://github.com/slackhq POM_INCEPTION_YEAR=2022 -VERSION_NAME=0.20.0 +VERSION_NAME=1.0.0-SNAPSHOT circuit.mavenUrls.snapshots.sonatype=https://oss.sonatype.org/content/repositories/snapshots circuit.mavenUrls.snapshots.sonatypes01=https://s01.oss.sonatype.org/content/repositories/snapshots From 6a4c4684abdbca3462893307a303d3fe14301cdc Mon Sep 17 00:00:00 2001 From: Zac Sweers Date: Mon, 18 Mar 2024 14:47:31 -0400 Subject: [PATCH 111/123] Fix tutorial image links --- docs/tutorial.md | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/docs/tutorial.md b/docs/tutorial.md index d0999d65f..7bbbb272f 100644 --- a/docs/tutorial.md +++ b/docs/tutorial.md @@ -94,7 +94,7 @@ See the [states and events](states-and-events.md) guide for more information. === "Inbox"
- ![Preview](../images/tutorial_inbox.png){ align=left width=300 } + ![Preview](images/tutorial_inbox.png){ align=left width=300 } Next, let's define a `Ui` for our `InboxScreen`. A `Ui` is a simple composable function that takes `State` and `Modifier` parameters. @@ -317,7 +317,7 @@ CircuitCompositionLocals(circuit) { === "Detail"
- ![Preview](../images/tutorial_detail.png){ align=left width=300 } + ![Preview](images/tutorial_detail.png){ align=left width=300 } Now that we have navigation set up, let's add a detail screen to our app to navigate to. From f94715960f4c5c7fb080a43c400e8a9f07fe67d5 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 19 Mar 2024 09:21:05 -0700 Subject: [PATCH 112/123] Update retrofit to v2.10.0 (#1293) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.squareup.retrofit2:converter-scalars](https://togithub.com/square/retrofit) | dependencies | minor | `2.9.0` -> `2.10.0` | | [com.squareup.retrofit2:converter-moshi](https://togithub.com/square/retrofit) | dependencies | minor | `2.9.0` -> `2.10.0` | | [com.squareup.retrofit2:retrofit](https://togithub.com/square/retrofit) | dependencies | minor | `2.9.0` -> `2.10.0` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
square/retrofit (com.squareup.retrofit2:converter-scalars) ### [`v2.10.0`](https://togithub.com/square/retrofit/blob/HEAD/CHANGELOG.md#2100---2024-03-18) [Compare Source](https://togithub.com/square/retrofit/compare/2.9.0...2.10.0) **New** - Support using `Unit` as a response type. This can be used for non-body HTTP methods like `HEAD` or body-containing HTTP methods like `GET` where the body will be discarded without deserialization. - kotlinx.serialization converter! This was imported from [github.com/JakeWharton/retrofit2-kotlinx-serialization-converter/](https://togithub.com/JakeWharton/retrofit2-kotlinx-serialization-converter/) and remains unchanged from its 1.0.0 release. The Maven coordinates are `com.squareup.retrofit2:converter-kotlinx-serialization`. - JAXB 3 converter! The Maven coordinates are `com.squareup.retrofit2:converter-jaxb3`. - `@Header`, `@Headers`, and `@HeaderMap` can now set non-ASCII values through the `allowUnsafeNonAsciiValues` annotation property. These are not technically compliant with the HTTP specification, but are often supported or required by services. - Publish a BOM of all modules. The Maven coordinates are `com.squareup.retrofit2:retrofit-bom`. - `Invocation` now exposes the service `Class` and the instance on which the method was invoked. This disambiguates the source when service inheritence is used. - A response type keeper annotation processor is now available for generating shrinker rules for all referenced types in your service interface. In some cases, it's impossible for static shrinker rules to keep the entirety of what Retrofit needs at runtime. This annotation processor generates those additional rules. For more info see [its README](https://togithub.com/square/retrofit/tree/trunk/retrofit-response-type-keeper#readme). **Changed** - Add shrinker rules to retain the generic signatures of built-in types (`Call`, `Response`, etc.) which are used via reflection at runtime. - Remove backpressure support from RxJava 2 and 3 adapters. Since we only deliver a single value and the Reactive Streams specification states that callers must request a non-zero subscription value, we never need to honor backpressure. - Kotlin `Retrofit.create` function now has a non-null lower bound. Even if you specified a nullable type before this function would never return null. - Suspend functions now capture and defer all `Throwable` subtypes (not just `Exception` subtypes) to avoid Java's `UndeclaredThrowableException` when thrown synchronously. - Eagerly reject `suspend fun` functions that return `Call`. These are never correct, and should declare a return type of `Body` directly. - Support for Java 14-specific and Java 16-specific reflection needed to invoke default methods on interfaces have been moved to separate versions of a class through a multi-release jar. This should have no observable impact other than the jar now contains classes which target Java 14 and Java 16 bytecode that might trip up some static analysis tools which are not aware of multi-release jars. - Parameter names are now displayed in exception messages when available in the underlying Java bytecode. - Jackson converter now supports binary formats by using byte streams rather than character streams in its implementation. Use the `create(ObjectMapper, MediaType)` overload to supply the value of the `Content-Type` header for your format. **Fixed** - Do not include synthetic methods when doing eager validation. - Use per-method rather than per-class locking when parsing annotations. This eliminates contention when multiple calls are made in quick succession at the beginning of the process lifetime.
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index c7dcc1fd6..84654c915 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -50,7 +50,7 @@ okhttp = "5.0.0-alpha.12" okio = "3.9.0" paparazzi = "1.3.3" picnic = "0.7.0" -retrofit = "2.9.0" +retrofit = "2.10.0" robolectric = "4.11.1" roborazzi = "1.11.0" skie = "0.6.2" From d75bbce0ea9234e2db8cb05fc1140aeacc5542cc Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Tue, 19 Mar 2024 09:21:07 -0700 Subject: [PATCH 113/123] Update agp to v8.3.1 (#1292) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.android.test](https://developer.android.com/studio/build) ([source](https://android.googlesource.com/platform/tools/base)) | plugin | patch | `8.3.0` -> `8.3.1` | | [com.android.library](https://developer.android.com/studio/build) ([source](https://android.googlesource.com/platform/tools/base)) | plugin | patch | `8.3.0` -> `8.3.1` | | [com.android.application](https://developer.android.com/studio/build) ([source](https://android.googlesource.com/platform/tools/base)) | plugin | patch | `8.3.0` -> `8.3.1` | | [com.android.tools.build:gradle](http://tools.android.com/) ([source](https://android.googlesource.com/platform/tools/base)) | dependencies | patch | `8.3.0` -> `8.3.1` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 84654c915..3970e7610 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -5,7 +5,7 @@ androidx-annotation = "1.7.1" androidx-appcompat = "1.6.1" androidx-browser = "1.8.0" androidx-lifecycle = "2.7.0" -agp = "8.3.0" +agp = "8.3.1" anvil = "2.4.9" atomicfu = "0.23.2" benchmark = "1.2.3" From 427ac283ac86bedabdd5ea29cbfc32d0db013582 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Wed, 20 Mar 2024 07:23:28 -0700 Subject: [PATCH 114/123] Update dependency com.benasher44:uuid to v0.8.4 (#1294) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [com.benasher44:uuid](https://togithub.com/benasher44/uuid) | dependencies | patch | `0.8.3` -> `0.8.4` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
benasher44/uuid (com.benasher44:uuid) ### [`v0.8.4`](https://togithub.com/benasher44/uuid/blob/HEAD/CHANGELOG.md#084---2024-03-19) [Compare Source](https://togithub.com/benasher44/uuid/compare/0.8.3...0.8.4) ##### Changed - Fix Kotlin Metadata ([#​157](https://togithub.com/benasher44/uuid/issues/157))
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 3970e7610..78d2abecb 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -279,7 +279,7 @@ truth = "com.google.truth:truth:1.4.2" turbine = { module = "app.cash.turbine:turbine", version.ref = "turbine" } # KMP UUID -uuid = "com.benasher44:uuid:0.8.3" +uuid = "com.benasher44:uuid:0.8.4" windowSizeClass = "dev.chrisbanes.material3:material3-window-size-class-multiplatform:0.5.0" From 3709267e8d65e6b2628f28740b0fd849c8cf991b Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 21 Mar 2024 05:51:11 -0700 Subject: [PATCH 115/123] Update dependency androidx.compose:compose-bom to v2024.03.00 (#1302) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose:compose-bom](https://developer.android.com/jetpack) | dependencies | minor | `2024.02.02` -> `2024.03.00` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 78d2abecb..0d341e100 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -111,7 +111,7 @@ androidx-compose-accompanist-placeholder = { module = "com.google.accompanist:ac androidx-compose-accompanist-swiperefresh = { module = "com.google.accompanist:accompanist-swiperefresh", version.ref = "accompanist" } androidx-compose-accompanist-systemUi = { module = "com.google.accompanist:accompanist-systemuicontroller", version.ref = "accompanist" } androidx-compose-animation = { module = "androidx.compose.animation:animation", version.ref = "compose-animation" } -androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.02.02" } +androidx-compose-bom = { module = "androidx.compose:compose-bom", version = "2024.03.00" } androidx-compose-compiler = { module = "androidx.compose.compiler:compiler", version.ref = "compose-compiler-version" } # Foundation (Border, Background, Box, Image, Scroll, shapes, animations, etc.) androidx-compose-foundation = { module = "androidx.compose.foundation:foundation", version.ref = "compose-foundation" } From 75cbb37a042598991e17ae0c5ded00a56a9ada96 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 21 Mar 2024 05:51:25 -0700 Subject: [PATCH 116/123] Update dependency androidx.compose.foundation:foundation to v1.6.4 (#1301) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.foundation:foundation](https://developer.android.com/jetpack/androidx/releases/compose-foundation#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 0d341e100..ba2b7d79a 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -16,7 +16,7 @@ compose-animation = "1.6.3" # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.10" compose-compiler-kotlinVersion = "1.9.22" -compose-foundation = "1.6.3" +compose-foundation = "1.6.4" compose-material = "1.6.3" compose-material3 = "1.2.1" compose-runtime = "1.6.3" From 19ae367b58c9b0d8619f8c41e55e31c94fe62a59 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 21 Mar 2024 05:51:35 -0700 Subject: [PATCH 117/123] Update dependency androidx.compose.animation:animation to v1.6.4 (#1299) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.animation:animation](https://developer.android.com/jetpack/androidx/releases/compose-animation#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index ba2b7d79a..cf254a72a 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -11,7 +11,7 @@ atomicfu = "0.23.2" benchmark = "1.2.3" coil = "2.6.0" coil3 = "3.0.0-alpha06" -compose-animation = "1.6.3" +compose-animation = "1.6.4" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository compose-compiler-version = "1.5.10" From 60d91e599699c31612e4648d32c39475efd4abfc Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Thu, 21 Mar 2024 05:51:43 -0700 Subject: [PATCH 118/123] Update compose.ui to v1.6.4 (#1298) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.ui:ui-viewbinding](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-util](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-unit](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-tooling-preview](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-tooling-data](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-tooling](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-text](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-test-manifest](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-test-junit4](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.ui:ui-graphics](https://developer.android.com/jetpack/androidx/releases/compose-ui#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index cf254a72a..071b9526a 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -20,7 +20,7 @@ compose-foundation = "1.6.4" compose-material = "1.6.3" compose-material3 = "1.2.1" compose-runtime = "1.6.3" -compose-ui = "1.6.3" +compose-ui = "1.6.4" compose-jb = "1.6.1" compose-jb-compiler = "1.5.10.1" compose-jb-kotlinVersion = "1.9.23" From 47b33a72e615de6547912f568c7f67ee00612f40 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 22 Mar 2024 01:13:55 -0700 Subject: [PATCH 119/123] Update compose.runtime to v1.6.4 (#1297) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.runtime:runtime-livedata](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.runtime:runtime](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.runtime:runtime-rxjava3](https://developer.android.com/jetpack/androidx/releases/compose-runtime#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 071b9526a..66d9d1837 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -19,7 +19,7 @@ compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.4" compose-material = "1.6.3" compose-material3 = "1.2.1" -compose-runtime = "1.6.3" +compose-runtime = "1.6.4" compose-ui = "1.6.4" compose-jb = "1.6.1" compose-jb-compiler = "1.5.10.1" From 6da30f4c5e8e66fdbf3a22da7b58dabd30143182 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Fri, 22 Mar 2024 01:14:12 -0700 Subject: [PATCH 120/123] Update compose.material to v1.6.4 (#1296) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.material:material](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | | [androidx.compose.material:material-icons-core](https://developer.android.com/jetpack/androidx/releases/compose-material#1.6.4) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.6.3` -> `1.6.4` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about these updates again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/libs.versions.toml | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 66d9d1837..1f78122c4 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -17,7 +17,7 @@ compose-animation = "1.6.4" compose-compiler-version = "1.5.10" compose-compiler-kotlinVersion = "1.9.22" compose-foundation = "1.6.4" -compose-material = "1.6.3" +compose-material = "1.6.4" compose-material3 = "1.2.1" compose-runtime = "1.6.4" compose-ui = "1.6.4" From 8bc0237d8b417134f5e8b724c2b7c34436330254 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 23 Mar 2024 12:26:27 -0700 Subject: [PATCH 121/123] Update dependency gradle to v8.7 (#1304) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [gradle](https://gradle.org) ([source](https://togithub.com/gradle/gradle)) | minor | `8.6` -> `8.7` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
gradle/gradle (gradle) ### [`v8.7`](https://togithub.com/gradle/gradle/releases/tag/v8.7.0): 8.7 [Compare Source](https://togithub.com/gradle/gradle/compare/v8.6.0...v8.7.0) The Gradle team is excited to announce Gradle 8.7. [Read the Release Notes](https://docs.gradle.org/8.7/release-notes.html) We would like to thank the following community members for their contributions to this release of Gradle: [Aleksandr Postnov](https://togithub.com/alex-postnov), [Björn Kautler](https://togithub.com/Vampire), [Brice Dutheil](https://togithub.com/bric3), [Denis Buzmakov](https://togithub.com/bacecek), [Federico La Penna](https://togithub.com/flapenna), [Gregor Dschung](https://togithub.com/chkpnt), [Hal Deadman](https://togithub.com/hdeadman), [Hélio Fernandes Sebastião](https://togithub.com/helfese), [Ivan Gavrilovic](https://togithub.com/gavra0), [Jendrik Johannes](https://togithub.com/jjohannes), [Jörgen Andersson](https://togithub.com/jorander), [Marie](https://togithub.com/NyCodeGHG), [pandaninjas](https://togithub.com/pandaninjas), [Philip Wedemann](https://togithub.com/hfhbd), [Ryan Schmitt](https://togithub.com/rschmitt), [Steffen Yount](https://togithub.com/steffenyount), [Tyler Kinkade](https://togithub.com/tyknkd), [Zed Spencer-Milnes](https://togithub.com/GingerGeek) #### Upgrade instructions Switch your build to use Gradle 8.7 by updating your wrapper: ./gradlew wrapper --gradle-version=8.7 See the Gradle [8.x upgrade guide](https://docs.gradle.org/8.7/userguide/upgrading_version\_8.html) to learn about deprecations, breaking changes and other considerations when upgrading. For Java, Groovy, Kotlin and Android compatibility, see the [full compatibility notes](https://docs.gradle.org/8.7/userguide/compatibility.html). #### Reporting problems If you find a problem with this release, please file a bug on [GitHub Issues](https://togithub.com/gradle/gradle/issues) adhering to our issue guidelines. If you're not sure you're encountering a bug, please use the [forum](https://discuss.gradle.org/c/help-discuss). We hope you will build happiness with Gradle, and we look forward to your feedback via [Twitter](https://twitter.com/gradle) or on [GitHub](https://togithub.com/gradle).
--- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- gradle/wrapper/gradle-wrapper.jar | Bin 43462 -> 43453 bytes gradle/wrapper/gradle-wrapper.properties | 2 +- 2 files changed, 1 insertion(+), 1 deletion(-) diff --git a/gradle/wrapper/gradle-wrapper.jar b/gradle/wrapper/gradle-wrapper.jar index d64cd4917707c1f8861d8cb53dd15194d4248596..e6441136f3d4ba8a0da8d277868979cfbc8ad796 100644 GIT binary patch delta 34118 zcmY(qRX`kF)3u#IAjsf0xCD212@LM;?(PINyAue(f;$XO2=4Cg1P$=#e%|lo zKk1`B>Q#GH)wNd-&cJofz}3=WfYndTeo)CyX{fOHsQjGa<{e=jamMNwjdatD={CN3>GNchOE9OGPIqr)3v>RcKWR3Z zF-guIMjE2UF0Wqk1)21791y#}ciBI*bAenY*BMW_)AeSuM5}vz_~`+1i!Lo?XAEq{TlK5-efNFgHr6o zD>^vB&%3ZGEWMS>`?tu!@66|uiDvS5`?bF=gIq3rkK(j<_TybyoaDHg8;Y#`;>tXI z=tXo~e9{U!*hqTe#nZjW4z0mP8A9UUv1}C#R*@yu9G3k;`Me0-BA2&Aw6f`{Ozan2 z8c8Cs#dA-7V)ZwcGKH}jW!Ja&VaUc@mu5a@CObzNot?b{f+~+212lwF;!QKI16FDS zodx>XN$sk9;t;)maB^s6sr^L32EbMV(uvW%or=|0@U6cUkE`_!<=LHLlRGJx@gQI=B(nn z-GEjDE}*8>3U$n(t^(b^C$qSTI;}6q&ypp?-2rGpqg7b}pyT zOARu2x>0HB{&D(d3sp`+}ka+Pca5glh|c=M)Ujn_$ly^X6&u z%Q4Y*LtB_>i6(YR!?{Os-(^J`(70lZ&Hp1I^?t@~SFL1!m0x6j|NM!-JTDk)%Q^R< z@e?23FD&9_W{Bgtr&CG&*Oer3Z(Bu2EbV3T9FeQ|-vo5pwzwQ%g&=zFS7b{n6T2ZQ z*!H(=z<{D9@c`KmHO&DbUIzpg`+r5207}4D=_P$ONIc5lsFgn)UB-oUE#{r+|uHc^hzv_df zV`n8&qry%jXQ33}Bjqcim~BY1?KZ}x453Oh7G@fA(}+m(f$)TY%7n=MeLi{jJ7LMB zt(mE*vFnep?YpkT_&WPV9*f>uSi#n#@STJmV&SLZnlLsWYI@y+Bs=gzcqche=&cBH2WL)dkR!a95*Ri)JH_4c*- zl4pPLl^as5_y&6RDE@@7342DNyF&GLJez#eMJjI}#pZN{Y8io{l*D+|f_Y&RQPia@ zNDL;SBERA|B#cjlNC@VU{2csOvB8$HzU$01Q?y)KEfos>W46VMh>P~oQC8k=26-Ku)@C|n^zDP!hO}Y z_tF}0@*Ds!JMt>?4y|l3?`v#5*oV-=vL7}zehMON^=s1%q+n=^^Z{^mTs7}*->#YL z)x-~SWE{e?YCarwU$=cS>VzmUh?Q&7?#Xrcce+jeZ|%0!l|H_=D_`77hBfd4Zqk&! zq-Dnt_?5*$Wsw8zGd@?woEtfYZ2|9L8b>TO6>oMh%`B7iBb)-aCefM~q|S2Cc0t9T zlu-ZXmM0wd$!gd-dTtik{bqyx32%f;`XUvbUWWJmpHfk8^PQIEsByJm+@+-aj4J#D z4#Br3pO6z1eIC>X^yKk|PeVwX_4B+IYJyJyc3B`4 zPrM#raacGIzVOexcVB;fcsxS=s1e&V;Xe$tw&KQ`YaCkHTKe*Al#velxV{3wxx}`7@isG zp6{+s)CG%HF#JBAQ_jM%zCX5X;J%-*%&jVI?6KpYyzGbq7qf;&hFprh?E5Wyo=bZ) z8YNycvMNGp1836!-?nihm6jI`^C`EeGryoNZO1AFTQhzFJOA%Q{X(sMYlzABt!&f{ zoDENSuoJQIg5Q#@BUsNJX2h>jkdx4<+ipUymWKFr;w+s>$laIIkfP6nU}r+?J9bZg zUIxz>RX$kX=C4m(zh-Eg$BsJ4OL&_J38PbHW&7JmR27%efAkqqdvf)Am)VF$+U3WR z-E#I9H6^)zHLKCs7|Zs<7Bo9VCS3@CDQ;{UTczoEprCKL3ZZW!ffmZFkcWU-V|_M2 zUA9~8tE9<5`59W-UgUmDFp11YlORl3mS3*2#ZHjv{*-1#uMV_oVTy{PY(}AqZv#wF zJVks)%N6LaHF$$<6p8S8Lqn+5&t}DmLKiC~lE{jPZ39oj{wR&fe*LX-z0m}9ZnZ{U z>3-5Bh{KKN^n5i!M79Aw5eY=`6fG#aW1_ZG;fw7JM69qk^*(rmO{|Z6rXy?l=K=#_ zE-zd*P|(sskasO(cZ5L~_{Mz&Y@@@Q)5_8l<6vB$@226O+pDvkFaK8b>%2 zfMtgJ@+cN@w>3)(_uR;s8$sGONbYvoEZ3-)zZk4!`tNzd<0lwt{RAgplo*f@Z)uO` zzd`ljSqKfHJOLxya4_}T`k5Ok1Mpo#MSqf~&ia3uIy{zyuaF}pV6 z)@$ZG5LYh8Gge*LqM_|GiT1*J*uKes=Oku_gMj&;FS`*sfpM+ygN&yOla-^WtIU#$ zuw(_-?DS?6DY7IbON7J)p^IM?N>7x^3)(7wR4PZJu(teex%l>zKAUSNL@~{czc}bR z)I{XzXqZBU3a;7UQ~PvAx8g-3q-9AEd}1JrlfS8NdPc+!=HJ6Bs( zCG!0;e0z-22(Uzw>hkEmC&xj?{0p|kc zM}MMXCF%RLLa#5jG`+}{pDL3M&|%3BlwOi?dq!)KUdv5__zR>u^o|QkYiqr(m3HxF z6J*DyN#Jpooc$ok=b7{UAVM@nwGsr6kozSddwulf5g1{B=0#2)zv!zLXQup^BZ4sv*sEsn)+MA?t zEL)}3*R?4(J~CpeSJPM!oZ~8;8s_=@6o`IA%{aEA9!GELRvOuncE`s7sH91 zmF=+T!Q6%){?lJn3`5}oW31(^Of|$r%`~gT{eimT7R~*Mg@x+tWM3KE>=Q>nkMG$U za7r>Yz2LEaA|PsMafvJ(Y>Xzha?=>#B!sYfVob4k5Orb$INFdL@U0(J8Hj&kgWUlO zPm+R07E+oq^4f4#HvEPANGWLL_!uF{nkHYE&BCH%l1FL_r(Nj@M)*VOD5S42Gk-yT z^23oAMvpA57H(fkDGMx86Z}rtQhR^L!T2iS!788E z+^${W1V}J_NwdwdxpXAW8}#6o1(Uu|vhJvubFvQIH1bDl4J4iDJ+181KuDuHwvM?` z%1@Tnq+7>p{O&p=@QT}4wT;HCb@i)&7int<0#bj8j0sfN3s6|a(l7Bj#7$hxX@~iP z1HF8RFH}irky&eCN4T94VyKqGywEGY{Gt0Xl-`|dOU&{Q;Ao;sL>C6N zXx1y^RZSaL-pG|JN;j9ADjo^XR}gce#seM4QB1?S`L*aB&QlbBIRegMnTkTCks7JU z<0(b+^Q?HN1&$M1l&I@>HMS;!&bb()a}hhJzsmB?I`poqTrSoO>m_JE5U4=?o;OV6 zBZjt;*%1P>%2{UL=;a4(aI>PRk|mr&F^=v6Fr&xMj8fRCXE5Z2qdre&;$_RNid5!S zm^XiLK25G6_j4dWkFqjtU7#s;b8h?BYFxV?OE?c~&ME`n`$ix_`mb^AWr+{M9{^^Rl;~KREplwy2q;&xe zUR0SjHzKVYzuqQ84w$NKVPGVHL_4I)Uw<$uL2-Ml#+5r2X{LLqc*p13{;w#E*Kwb*1D|v?e;(<>vl@VjnFB^^Y;;b3 z=R@(uRj6D}-h6CCOxAdqn~_SG=bN%^9(Ac?zfRkO5x2VM0+@_qk?MDXvf=@q_* z3IM@)er6-OXyE1Z4sU3{8$Y$>8NcnU-nkyWD&2ZaqX1JF_JYL8y}>@V8A5%lX#U3E zet5PJM`z79q9u5v(OE~{by|Jzlw2<0h`hKpOefhw=fgLTY9M8h+?37k@TWpzAb2Fc zQMf^aVf!yXlK?@5d-re}!fuAWu0t57ZKSSacwRGJ$0uC}ZgxCTw>cjRk*xCt%w&hh zoeiIgdz__&u~8s|_TZsGvJ7sjvBW<(C@}Y%#l_ID2&C`0;Eg2Z+pk;IK}4T@W6X5H z`s?ayU-iF+aNr5--T-^~K~p;}D(*GWOAYDV9JEw!w8ZYzS3;W6*_`#aZw&9J ziXhBKU3~zd$kKzCAP-=t&cFDeQR*_e*(excIUxKuD@;-twSlP6>wWQU)$|H3Cy+`= z-#7OW!ZlYzZxkdQpfqVDFU3V2B_-eJS)Fi{fLtRz!K{~7TR~XilNCu=Z;{GIf9KYz zf3h=Jo+1#_s>z$lc~e)l93h&RqW1VHYN;Yjwg#Qi0yzjN^M4cuL>Ew`_-_wRhi*!f zLK6vTpgo^Bz?8AsU%#n}^EGigkG3FXen3M;hm#C38P@Zs4{!QZPAU=m7ZV&xKI_HWNt90Ef zxClm)ZY?S|n**2cNYy-xBlLAVZ=~+!|7y`(fh+M$#4zl&T^gV8ZaG(RBD!`3?9xcK zp2+aD(T%QIgrLx5au&TjG1AazI;`8m{K7^!@m>uGCSR;Ut{&?t%3AsF{>0Cm(Kf)2 z?4?|J+!BUg*P~C{?mwPQ#)gDMmro20YVNsVx5oWQMkzQ? zsQ%Y>%7_wkJqnSMuZjB9lBM(o zWut|B7w48cn}4buUBbdPBW_J@H7g=szrKEpb|aE>!4rLm+sO9K%iI75y~2HkUo^iw zJ3se$8$|W>3}?JU@3h@M^HEFNmvCp|+$-0M?RQ8SMoZ@38%!tz8f8-Ptb@106heiJ z^Bx!`0=Im z1!NUhO=9ICM*+||b3a7w*Y#5*Q}K^ar+oMMtekF0JnO>hzHqZKH0&PZ^^M(j;vwf_ z@^|VMBpcw8;4E-9J{(u7sHSyZpQbS&N{VQ%ZCh{c1UA5;?R} z+52*X_tkDQ(s~#-6`z4|Y}3N#a&dgP4S_^tsV=oZr4A1 zaSoPN1czE(UIBrC_r$0HM?RyBGe#lTBL4~JW#A`P^#0wuK)C-2$B6TvMi@@%K@JAT_IB^T7Zfqc8?{wHcSVG_?{(wUG%zhCm=%qP~EqeqKI$9UivF zv+5IUOs|%@ypo6b+i=xsZ=^G1yeWe)z6IX-EC`F=(|_GCNbHbNp(CZ*lpSu5n`FRA zhnrc4w+Vh?r>her@Ba_jv0Omp#-H7avZb=j_A~B%V0&FNi#!S8cwn0(Gg-Gi_LMI{ zCg=g@m{W@u?GQ|yp^yENd;M=W2s-k7Gw2Z(tsD5fTGF{iZ%Ccgjy6O!AB4x z%&=6jB7^}pyftW2YQpOY1w@%wZy%}-l0qJlOSKZXnN2wo3|hujU+-U~blRF!^;Tan z0w;Srh0|Q~6*tXf!5-rCD)OYE(%S|^WTpa1KHtpHZ{!;KdcM^#g8Z^+LkbiBHt85m z;2xv#83lWB(kplfgqv@ZNDcHizwi4-8+WHA$U-HBNqsZ`hKcUI3zV3d1ngJP-AMRET*A{> zb2A>Fk|L|WYV;Eu4>{a6ESi2r3aZL7x}eRc?cf|~bP)6b7%BnsR{Sa>K^0obn?yiJ zCVvaZ&;d_6WEk${F1SN0{_`(#TuOOH1as&#&xN~+JDzX(D-WU_nLEI}T_VaeLA=bc zl_UZS$nu#C1yH}YV>N2^9^zye{rDrn(rS99>Fh&jtNY7PP15q%g=RGnxACdCov47= zwf^9zfJaL{y`R#~tvVL#*<`=`Qe zj_@Me$6sIK=LMFbBrJps7vdaf_HeX?eC+P^{AgSvbEn?n<}NDWiQGQG4^ZOc|GskK z$Ve2_n8gQ-KZ=s(f`_X!+vM5)4+QmOP()2Fe#IL2toZBf+)8gTVgDSTN1CkP<}!j7 z0SEl>PBg{MnPHkj4wj$mZ?m5x!1ePVEYI(L_sb0OZ*=M%yQb?L{UL(2_*CTVbRxBe z@{)COwTK1}!*CK0Vi4~AB;HF(MmQf|dsoy(eiQ>WTKcEQlnKOri5xYsqi61Y=I4kzAjn5~{IWrz_l))|Ls zvq7xgQs?Xx@`N?f7+3XKLyD~6DRJw*uj*j?yvT3}a;(j_?YOe%hUFcPGWRVBXzpMJ zM43g6DLFqS9tcTLSg=^&N-y0dXL816v&-nqC0iXdg7kV|PY+js`F8dm z2PuHw&k+8*&9SPQ6f!^5q0&AH(i+z3I7a?8O+S5`g)>}fG|BM&ZnmL;rk)|u{1!aZ zEZHpAMmK_v$GbrrWNP|^2^s*!0waLW=-h5PZa-4jWYUt(Hr@EA(m3Mc3^uDxwt-me^55FMA9^>hpp26MhqjLg#^Y7OIJ5%ZLdNx&uDgIIqc zZRZl|n6TyV)0^DDyVtw*jlWkDY&Gw4q;k!UwqSL6&sW$B*5Rc?&)dt29bDB*b6IBY z6SY6Unsf6AOQdEf=P1inu6(6hVZ0~v-<>;LAlcQ2u?wRWj5VczBT$Op#8IhppP-1t zfz5H59Aa~yh7EN;BXJsLyjkjqARS5iIhDVPj<=4AJb}m6M@n{xYj3qsR*Q8;hVxDyC4vLI;;?^eENOb5QARj#nII5l$MtBCI@5u~(ylFi$ zw6-+$$XQ}Ca>FWT>q{k)g{Ml(Yv=6aDfe?m|5|kbGtWS}fKWI+})F6`x@||0oJ^(g|+xi zqlPdy5;`g*i*C=Q(aGeDw!eQg&w>UUj^{o?PrlFI=34qAU2u@BgwrBiaM8zoDTFJ< zh7nWpv>dr?q;4ZA?}V}|7qWz4W?6#S&m>hs4IwvCBe@-C>+oohsQZ^JC*RfDRm!?y zS4$7oxcI|##ga*y5hV>J4a%HHl^t$pjY%caL%-FlRb<$A$E!ws?8hf0@(4HdgQ!@> zds{&g$ocr9W4I84TMa9-(&^_B*&R%^=@?Ntxi|Ejnh;z=!|uVj&3fiTngDPg=0=P2 zB)3#%HetD84ayj??qrxsd9nqrBem(8^_u_UY{1@R_vK-0H9N7lBX5K(^O2=0#TtUUGSz{ z%g>qU8#a$DyZ~EMa|8*@`GOhCW3%DN%xuS91T7~iXRr)SG`%=Lfu%U~Z_`1b=lSi?qpD4$vLh$?HU6t0MydaowUpb zQr{>_${AMesCEffZo`}K0^~x>RY_ZIG{(r39MP>@=aiM@C;K)jUcfQV8#?SDvq>9D zI{XeKM%$$XP5`7p3K0T}x;qn)VMo>2t}Ib(6zui;k}<<~KibAb%p)**e>ln<=qyWU zrRDy|UXFi9y~PdEFIAXejLA{K)6<)Q`?;Q5!KsuEw({!#Rl8*5_F{TP?u|5(Hijv( ztAA^I5+$A*+*e0V0R~fc{ET-RAS3suZ}TRk3r)xqj~g_hxB`qIK5z(5wxYboz%46G zq{izIz^5xW1Vq#%lhXaZL&)FJWp0VZNO%2&ADd?+J%K$fM#T_Eke1{dQsx48dUPUY zLS+DWMJeUSjYL453f@HpRGU6Dv)rw+-c6xB>(=p4U%}_p>z^I@Ow9`nkUG21?cMIh9}hN?R-d)*6%pr6d@mcb*ixr7 z)>Lo<&2F}~>WT1ybm^9UO{6P9;m+fU^06_$o9gBWL9_}EMZFD=rLJ~&e?fhDnJNBI zKM=-WR6g7HY5tHf=V~6~QIQ~rakNvcsamU8m28YE=z8+G7K=h%)l6k zmCpiDInKL6*e#)#Pt;ANmjf`8h-nEt&d}(SBZMI_A{BI#ck-_V7nx)K9_D9K-p@?Zh81#b@{wS?wCcJ%og)8RF*-0z+~)6f#T` zWqF7_CBcnn=S-1QykC*F0YTsKMVG49BuKQBH%WuDkEy%E?*x&tt%0m>>5^HCOq|ux zuvFB)JPR-W|%$24eEC^AtG3Gp4qdK%pjRijF5Sg3X}uaKEE z-L5p5aVR!NTM8T`4|2QA@hXiLXRcJveWZ%YeFfV%mO5q#($TJ`*U>hicS+CMj%Ip# zivoL;dd*araeJK9EA<(tihD50FHWbITBgF9E<33A+eMr2;cgI3Gg6<-2o|_g9|> zv5}i932( zYfTE9?4#nQhP@a|zm#9FST2 z!y+p3B;p>KkUzH!K;GkBW}bWssz)9b>Ulg^)EDca;jDl+q=243BddS$hY^fC6lbpM z(q_bo4V8~eVeA?0LFD6ZtKcmOH^75#q$Eo%a&qvE8Zsqg=$p}u^|>DSWUP5i{6)LAYF4E2DfGZuMJ zMwxxmkxQf}Q$V3&2w|$`9_SQS^2NVbTHh;atB>=A%!}k-f4*i$X8m}Ni^ppZXk5_oYF>Gq(& z0wy{LjJOu}69}~#UFPc;$7ka+=gl(FZCy4xEsk);+he>Nnl>hb5Ud-lj!CNicgd^2 z_Qgr_-&S7*#nLAI7r()P$`x~fy)+y=W~6aNh_humoZr7MWGSWJPLk}$#w_1n%(@? z3FnHf1lbxKJbQ9c&i<$(wd{tUTX6DAKs@cXIOBv~!9i{wD@*|kwfX~sjKASrNFGvN zrFc=!0Bb^OhR2f`%hrp2ibv#KUxl)Np1aixD9{^o=)*U%n%rTHX?FSWL^UGpHpY@7 z74U}KoIRwxI#>)Pn4($A`nw1%-D}`sGRZD8Z#lF$6 zOeA5)+W2qvA%m^|$WluUU-O+KtMqd;Pd58?qZj})MbxYGO<{z9U&t4D{S2G>e+J9K ztFZ?}ya>SVOLp9hpW)}G%kTrg*KXXXsLkGdgHb+R-ZXqdkdQC0_)`?6mqo8(EU#d( zy;u&aVPe6C=YgCRPV!mJ6R6kdY*`e+VGM~`VtC>{k27!9vAZT)x2~AiX5|m1Rq}_= z;A9LX^nd$l-9&2%4s~p5r6ad-siV`HtxKF}l&xGSYJmP=z!?Mlwmwef$EQq~7;#OE z)U5eS6dB~~1pkj#9(}T3j!((8Uf%!W49FfUAozijoxInUE7z`~U3Y^}xc3xp){#9D z<^Tz2xw}@o@fdUZ@hnW#dX6gDOj4R8dV}Dw`u!h@*K)-NrxT8%2`T}EvOImNF_N1S zy?uo6_ZS>Qga4Xme3j#aX+1qdFFE{NT0Wfusa$^;eL5xGE_66!5_N8!Z~jCAH2=${ z*goHjl|z|kbmIE{cl-PloSTtD+2=CDm~ZHRgXJ8~1(g4W=1c3=2eF#3tah7ho`zm4 z05P&?nyqq$nC?iJ-nK_iBo=u5l#|Ka3H7{UZ&O`~t-=triw=SE7ynzMAE{Mv-{7E_ zViZtA(0^wD{iCCcg@c{54Ro@U5p1QZq_XlEGtdBAQ9@nT?(zLO0#)q55G8_Ug~Xnu zR-^1~hp|cy&52iogG@o?-^AD8Jb^;@&Ea5jEicDlze6%>?u$-eE};bQ`T6@(bED0J zKYtdc?%9*<<$2LCBzVx9CA4YV|q-qg*-{yQ;|0=KIgI6~z0DKTtajw2Oms3L zn{C%{P`duw!(F@*P)lFy11|Z&x`E2<=$Ln38>UR~z6~za(3r;45kQK_^QTX%!s zNzoIFFH8|Y>YVrUL5#mgA-Jh>j7)n)5}iVM4%_@^GSwEIBA2g-;43* z*)i7u*xc8jo2z8&=8t7qo|B-rsGw)b8UXnu`RgE4u!(J8yIJi(5m3~aYsADcfZ!GG zzqa7p=sg`V_KjiqI*LA-=T;uiNRB;BZZ)~88 z`C%p8%hIev2rxS12@doqsrjgMg3{A&N8A?%Ui5vSHh7!iC^ltF&HqG~;=16=h0{ygy^@HxixUb1XYcR36SB}}o3nxu z_IpEmGh_CK<+sUh@2zbK9MqO!S5cao=8LSQg0Zv4?ju%ww^mvc0WU$q@!oo#2bv24 z+?c}14L2vlDn%Y0!t*z=$*a!`*|uAVu&NO!z_arim$=btpUPR5XGCG0U3YU`v>yMr z^zmTdcEa!APX zYF>^Q-TP11;{VgtMqC}7>B^2gN-3KYl33gS-p%f!X<_Hr?`rG8{jb9jmuQA9U;BeG zHj6Pk(UB5c6zwX%SNi*Py*)gk^?+729$bAN-EUd*RKN7{CM4`Q65a1qF*-QWACA&m zrT)B(M}yih{2r!Tiv5Y&O&=H_OtaHUz96Npo_k0eN|!*s2mLe!Zkuv>^E8Xa43ZwH zOI058AZznYGrRJ+`*GmZzMi6yliFmGMge6^j?|PN%ARns!Eg$ufpcLc#1Ns!1@1 zvC7N8M$mRgnixwEtX{ypBS^n`k@t2cCh#_6L6WtQb8E~*Vu+Rr)YsKZRX~hzLG*BE zaeU#LPo?RLm(Wzltk79Jd1Y$|6aWz1)wf1K1RtqS;qyQMy@H@B805vQ%wfSJB?m&&=^m4i* zYVH`zTTFbFtNFkAI`Khe4e^CdGZw;O0 zqkQe2|NG_y6D%h(|EZNf&77_!NU%0y={^E=*gKGQ=)LdKPM3zUlM@otH2X07Awv8o zY8Y7a1^&Yy%b%m{mNQ5sWNMTIq96Wtr>a(hL>Qi&F(ckgKkyvM0IH<_}v~Fv-GqDapig=3*ZMOx!%cYY)SKzo7ECyem z9Mj3C)tCYM?C9YIlt1?zTJXNOo&oVxu&uXKJs7i+j8p*Qvu2PAnY}b`KStdpi`trk ztAO}T8eOC%x)mu+4ps8sYZ=vYJp16SVWEEgQyFKSfWQ@O5id6GfL`|2<}hMXLPszS zgK>NWOoR zBRyKeUPevpqKKShD|MZ`R;~#PdNMB3LWjqFKNvH9k+;(`;-pyXM55?qaji#nl~K8m z_MifoM*W*X9CQiXAOH{cZcP0;Bn10E1)T@62Um>et2ci!J2$5-_HPy(AGif+BJpJ^ ziHWynC_%-NlrFY+(f7HyVvbDIM$5ci_i3?22ZkF>Y8RPBhgx-7k3M2>6m5R24C|~I z&RPh9xpMGzhN4bii*ryWaN^d(`0 zTOADlU)g`1p+SVMNLztd)c+;XjXox(VHQwqzu>FROvf0`s&|NEv26}(TAe;@=FpZq zaVs6mp>W0rM3Qg*6x5f_bPJd!6dQGmh?&v0rpBNfS$DW-{4L7#_~-eA@7<2BsZV=X zow){3aATmLZOQrs>uzDkXOD=IiX;Ue*B(^4RF%H zeaZ^*MWn4tBDj(wj114r(`)P96EHq4th-;tWiHhkp2rDlrklX}I@ib-nel0slFoQO zOeTc;Rh7sMIebO`1%u)=GlEj+7HU;c|Nj>2j)J-kpR)s3#+9AiB zd$hAk6;3pu9(GCR#)#>aCGPYq%r&i02$0L9=7AlIGYdlUO5%eH&M!ZWD&6^NBAj0Y9ZDcPg@r@8Y&-}e!aq0S(`}NuQ({;aigCPnq75U9cBH&Y7 ze)W0aD>muAepOKgm7uPg3Dz7G%)nEqTUm_&^^3(>+eEI;$ia`m>m0QHEkTt^=cx^JsBC68#H(3zc~Z$E9I)oSrF$3 zUClHXhMBZ|^1ikm3nL$Z@v|JRhud*IhOvx!6X<(YSX(9LG#yYuZeB{=7-MyPF;?_8 zy2i3iVKG2q!=JHN>~!#Bl{cwa6-yB@b<;8LSj}`f9pw7#x3yTD>C=>1S@H)~(n_K4 z2-yr{2?|1b#lS`qG@+823j;&UE5|2+EdU4nVw5=m>o_gj#K>>(*t=xI7{R)lJhLU{ z4IO6!x@1f$aDVIE@1a0lraN9!(j~_uGlks)!&davUFRNYHflp<|ENwAxsp~4Hun$Q z$w>@YzXp#VX~)ZP8`_b_sTg(Gt7?oXJW%^Pf0UW%YM+OGjKS}X`yO~{7WH6nX8S6Z ztl!5AnM2Lo*_}ZLvo%?iV;D2z>#qdpMx*xY2*GGlRzmHCom`VedAoR=(A1nO)Y>;5 zCK-~a;#g5yDgf7_phlkM@)C8s!xOu)N2UnQhif-v5kL$*t=X}L9EyBRq$V(sI{90> z=ghTPGswRVbTW@dS2H|)QYTY&I$ljbpNPTc_T|FEJkSW7MV!JM4I(ksRqQ8)V5>}v z2Sf^Z9_v;dKSp_orZm09jb8;C(vzFFJgoYuWRc|Tt_&3k({wPKiD|*m!+za$(l*!gNRo{xtmqjy1=kGzFkTH=Nc>EL@1Um0BiN1)wBO$i z6rG={bRcT|%A3s3xh!Bw?=L&_-X+6}L9i~xRj2}-)7fsoq0|;;PS%mcn%_#oV#kAp zGw^23c8_0~ ze}v9(p};6HM0+qF5^^>BBEI3d=2DW&O#|(;wg}?3?uO=w+{*)+^l_-gE zSw8GV=4_%U4*OU^hibDV38{Qb7P#Y8zh@BM9pEM_o2FuFc2LWrW2jRRB<+IE)G=Vx zuu?cp2-`hgqlsn|$nx@I%TC!`>bX^G00_oKboOGGXLgyLKXoo$^@L7v;GWqfUFw3< zekKMWo0LR;TaFY}Tt4!O$3MU@pqcw!0w0 zA}SnJ6Lb597|P5W8$OsEHTku2Kw9y4V=hx*K%iSn!#LW9W#~OiWf^dXEP$^2 zaok=UyGwy3GRp)bm6Gqr>8-4h@3=2`Eto2|JE6Sufh?%U6;ut1v1d@#EfcQP2chCt z+mB{Bk5~()7G>wM3KYf7Xh?LGbwg1uWLotmc_}Z_o;XOUDyfU?{9atAT$={v82^w9 z(MW$gINHt4xB3{bdbhRR%T}L?McK?!zkLK3(e>zKyei(yq%Nsijm~LV|9mll-XHavFcc$teX7v);H>=oN-+E_Q{c|! zp
    JV~-9AH}jxf6IF!PxrB9is{_9s@PYth^`pb%DkwghLdAyDREz(csf9)HcVRq z+2Vn~>{(S&_;bq_qA{v7XbU?yR7;~JrLfo;g$Lkm#ufO1P`QW_`zWW+4+7xzQZnO$ z5&GyJs4-VGb5MEDBc5=zxZh9xEVoY(|2yRv&!T7LAlIs@tw+4n?v1T8M>;hBv}2n) zcqi+>M*U@uY>4N3eDSAH2Rg@dsl!1py>kO39GMP#qOHipL~*cCac2_vH^6x@xmO|E zkWeyvl@P$2Iy*mCgVF+b{&|FY*5Ygi8237i)9YW#Fp& z?TJTQW+7U)xCE*`Nsx^yaiJ0KSW}}jc-ub)8Z8x(|K7G>`&l{Y&~W=q#^4Gf{}aJ%6kLXsmv6cr=Hi*uB`V26;dr4C$WrPnHO>g zg1@A%DvIWPDtXzll39kY6#%j;aN7grYJP9AlJgs3FnC?crv$wC7S4_Z?<_s0j;MmE z75yQGul2=bY%`l__1X3jxju2$Ws%hNv75ywfAqjgFO7wFsFDOW^)q2%VIF~WhwEW0 z45z^+r+}sJ{q+>X-w(}OiD(!*&cy4X&yM`!L0Fe+_RUfs@=J{AH#K~gArqT=#DcGE z!FwY(h&+&811rVCVoOuK)Z<-$EX zp`TzcUQC256@YWZ*GkE@P_et4D@qpM92fWA6c$MV=^qTu7&g)U?O~-fUR&xFqNiY1 zRd=|zUs_rmFZhKI|H}dcKhy%Okl(#y#QuMi81zsY56Y@757xBQqDNkd+XhLQhp2BB zBF^aJ__D676wLu|yYo6jNJNw^B+Ce;DYK!f$!dNs1*?D^97u^jKS++7S z5qE%zG#HY-SMUn^_yru=T6v`)CM%K<>_Z>tPe|js`c<|y7?qol&)C=>uLWkg5 zmzNcSAG_sL)E9or;i+O}tY^70@h7+=bG1;YDlX{<4zF_?{)K5B&?^tKZ6<$SD%@>F zY0cl2H7)%zKeDX%Eo7`ky^mzS)s;842cP{_;dzFuyd~Npb4u!bwkkhf8-^C2e3`q8>MuPhgiv0VxHxvrN9_`rJv&GX0fWz-L-Jg^B zrTsm>)-~j0F1sV=^V?UUi{L2cp%YwpvHwwLaSsCIrGI#({{QfbgDxLKsUC6w@m?y} zg?l=7aMX-RnMxvLn_4oSB|9t;)Qf2%m-GKo_07?N1l^ahJ+Wf8C>h5~=-o1BJzV@5HBTB-ACNpsHnGt6_ku37M z{vIEB^tR=--4SEg{jfF=gEogtGwi&A$mwk7E+SV$$ZuU}#F3Y7t}o{!w4LJh8v4PW%8HfUK@dta#l*z@w*9Xzz(i)r#WXi`r1D#oBPtNM7M?Hkq zhhS1)ea5(6VY45|)tCTr*@yc$^Zc!zQzsNXU?aRN6mh7zVu~i=qTrX^>de+f6HYfDsW@6PBlw0CsDBcOWUmt&st>Z zYNJEsRCP1#g0+Htb=wITvexBY@fOpAmR7?szQNR~nM)?sPWIj)0)jG-EF8U@nnBaQZy z)ImpVYQL>lBejMDjlxA$#G4%y+^_>N;}r@Zoe2|u-9-x@vvD^ZWnV>Gm=pZa7REAf zOnomhCxBaGZgT+4kiE%aS&lH2sI1mSCM<%)Cr*Sli;#!aXcUb&@Z|Hj{VPsJyClqD%>hy`Y7z(GASs8Mqas3!D zSQE83*%uctlD|p%4)v`arra4y>yP5m25V*_+n)Ry1v>z_Fz!TV6t+N?x?#iH$q=m= z8&X{uW%LVRO87dVl=$Y*>dabJVq{o|Kx`7(D2$5DVX&}XGbg|Ua(*5b=;5qzW9;|w>m{hIO(Tu-z(ey8H=EMluJNyK4BJmGpX~ZM2O61 zk*O7js{-MBqwq>Urf0igN+6soGGc!Y?SP6hiXuJzZ1V4WZqE*?h;PG84gvG~dds6~484!kPM zMP87IP?dhdc;%|cS&LxY*Ib6P3%p|9)E3IgRmhhwtUR3eRK6iZ_6fiGW}jnL4(I|t ze`2yLvmuY42lNwO6>I#Son3$R4NOoP*WUm1R4jl#agtSLE}fSu-Z>{+*?pQIn7`s3LAzF#1pSxCAo?clr9 z9PUj#REq28*ZkJnxs$aK%8^5?P<_Q!#Z?%JH0FKVF;&zH3F#J^fz|ahl$Ycs~kFij_XP;U<`FcaDYyXYPM~&jEe1Xj1n;wyRdD;lmnq&FEro=;+Z$=v-&fYM9eK*S_D&oTXFW#b0 zRY}Y7R#bLzTfg9i7{s?=P9~qjA?$-U2p5;0?gPPu`1JY|*?*8IPO!eX>oiX=O#F!A zl`S%e5Y(csR1f)I(iKMf-;5%_rPP7h&}5Fc(8byKUH1*d7?9%QC|4aADj3L8yuo6GOv#%HDgU3bN(UHw1+(99&Om%f!DY(RYSf4&Uny% zH}*&rEXc$W5+eyeEg|I|E-HnkIO0!$1sV7Z&NXxiCZJ@`kH4eEi5}q~!Vv5qQq{MI zi4^`GYoUN-7Q(jy^SKXL4$G4K+FQXR)B}ee=pS0RyK=YC8c2bGnMA~rrOh&jd3_AT zxVaq37w^-;OU3+C`Kko-Z%l_2FC^maa=Ae0Fm@PEtXEg@cX*oka1Lt&h@jES<6?o1Oi1C9>}7+U(Ve zQ$=8RlzcnfCd59CsJ=gG^A!2Bb_PY~K2sSau{)?Ge03G7US&qrgV!3NUi>UHWZ*lo zS;~0--vn{ot+7UWMV{a(X3rZ8Z06Ps3$-sd|CWE(Y#l`swvcDbMjuReGsoA`rmZ`^ z=AaArdbeU0EtwnOuzq@u5P1rlZjH#gNgh6HIhG(>dX%4m{_!&DNTQE)8= zXD-vcpcSi|DSm3aUMnrV;DQY?svz?9*#GT$NXb~Hem=24iy>7xj367(!#RjnrHtrP-Q`T2W*PEvAR-=j ztY2|#<|JvHNVnM-tNdoS_yRSo=yFqukTZmB$|>Vclj)o=YzC9!ph8)ZOH5X=%Aq|9gNgc}^KFVLht!Lyw54v5u&D zW%vT%z`H{Ax>Ry+bD&QjHQke_wEA;oj(&E!s4|OURButQKSc7Ar-PzIiFa8F@ezkaY2J9&PH+VI1!G+{JgsQ7%da*_Gr!exT*OgJld)b-?cd)xI+|v_C`h(Cg`N~oj0`SQPTma z{@vc8L^D-rBXwS#00jT#@=-n1H-C3hvg61r2jx#ok&cr#BV~9JdPaVihyrGq*lb>bm$H6rIoc}ifaSn6mTD9% z$FRJxbNozOo6y}!OUci1VBv-7{TYZ4GkOM@46Y9?8%mSH9?l&lU59)T#Fjg(h%6I} z?ib zZ(xb8Rwr+vv>@$h{WglT2lL`#V=-9tP^c)cjvnz(g|VL^h8^CPVv12dE(o}WQ@0OP z^2-&ssBXP^#Oh`X5@F+~$PCB6kK-T7sFUK|>$lNDSkvAy%{y2qgq-&v zv}^&gm`wiYztWgMS<{^qQKYNV=>CQaOeglAY~EZvr}n~tW=yg)_+fzqF%~+*V_$3h z2hDW`e$qR;QMg?(wKE>%H_6ASS@6bkOi-m- zg6B7AzD;gBS1%OD7|47a%3BykN{w}P!Wn-nQOfpKUpx8Mk{$IO62D!%U9$kr!e%T> zlqQih?3(U&5%r!KZFZPdbwZ0laAJCj!c&pEFVzrH&_&i5m68Y_*J+-Qjlnz}Q{3oAD)`d14H zKUGmbwC|beC9Mtp>SbL~NVrlctU3WBpHz(UeIa~_{u^_4OaHs_LQt>bUwcyD`_Bbh zC=x|1vSjL)JvVHLw|xKynEvq2m)7O-6qdmjht7pZ*z|o%NA17v$9H*(5D5(MXiNo1 z72Tv}QASqr$!mY58s_Q{hHa9MY+QZ`2zX-FT@Kd?`8pczcV^9IeOKDG4WKqiP7N|S z+O977=VQTk8k5dafK`vd(4?_3pBdB?YG9*Z=R@y|$S+d%1sJf-Ka++I&v9hH)h#}} zw-MjQWJ?ME<7PR(G<1#*Z-&M?%=yzhQw$Lki(R+Pq$X~Q!9BO=fP9FyCIS8zE3n04 z8ScD%XmJnIv=pMTgt6VSxBXOZucndRE@7^aU0wefJYueY(Cb%?%0rz)zWEnsNsKhQ z+&o6d^x=R;Pt7fUa_`JVb1HPHYbXg{Jvux|atQ^bV#_|>7QZNC~P^IKUThB6{kvz2pr2*Cyxj zy37Nri8za8J!@Iw9rbt~#^<9zOaM8LOi$kPBcAGqPq-DB^-93Qeup{9@9&=zV6KQN zL)ic5S%n1!F(7b>MQ973$~<0|9MY-G!?wk?j-cQhMQlM2n{&7JoTBGsP;=fC6CBJn zxlpk^%x=B16rfb-W9pYV#9IRHQL9VG4?Uh>pN>2}0-MST2AB2pQjf*rT+TLCX-+&m z9I{ic2ogXoh=HwdI#igr(JC>>NUP|M>SA?-ux<2&>Jyx>Iko!B<3vS}{g*dKqxYW7 z0i`&U#*v)jot+keO#G&wowD!VvD(j`Z9a*-_RALKn0b(KnZ37d#Db7royLhBW~*7o zRa`=1fo9C4dgq;;R)JpP++a9^{xd)8``^fPW9!a%MCDYJc;3yicPs8IiQM>DhUX*; zeIrxE#JRrr|D$@bKgOm4C9D+e!_hQKj3LC`Js)|Aijx=J!rlgnpKeF>b+QlKhI^4* zf%Of^RmkW|xU|p#Lad44Y5LvIUIR>VGH8G zz7ZEIREG%UOy4)C!$muX6StM4@Fsh&Goa}cj10RL(#>oGtr6h~7tZDDQ_J>h)VmYlKK>9ns8w4tdx6LdN5xJQ9t-ABtTf_ zf1dKVv!mhhQFSN=ggf(#$)FtN-okyT&o6Ms+*u72Uf$5?4)78EErTECzweDUbbU)) zc*tt+9J~Pt%!M352Y5b`Mwrjn^Orp+)L_U1ORHJ}OUsB78YPcIRh4p5jzoDB7B*fb z4v`bouQeCAW#z9b1?4(M3dcwNn2F2plwC^RVHl#h&b-8n#5^o+Ll20OlJ^gOYiK2< z;MQuR!t!>`i}CAOa4a+Rh5IL|@kh4EdEL*O=3oGx4asg?XCTcUOQnmHs^6nLu6WcI zSt9q7nl*?2TIikKNb?3JZBo$cW6)b#;ZKzi+(~D-%0Ec+QW=bZZm@w|prGiThO3dy zU#TQ;RYQ+xU~*@Zj;Rf~z~iL8Da`RT!Z)b3ILBhnIl@VX9K0PSj5owH#*FJXX3vZ= zg_Zyn^G&l!WR6wN9GWvt)sM?g2^CA8&F#&t2z3_MiluRqvNbV{Me6yZ&X-_ zd6#Xdh%+6tCmSNTdCBusVkRwJ_A~<^Nd6~MNOvS;YDixM43`|8e_bmc*UWi7TLA})`T_F ztk&Nd=dgFUss#Ol$LXTRzP9l1JOSvAws~^X%(`ct$?2Im?UNpXjBec_-+8YK%rq#P zT9=h8&gCtgx?=Oj$Yr2jI3`VVuZ`lH>*N+*K11CD&>>F)?(`yr~54vHJftY*z?EorK zm`euBK<$(!XO%6-1=m>qqp6F`S@Pe3;pK5URT$8!Dd|;`eOWdmn916Ut5;iXWQoXE z0qtwxlH=m_NONP3EY2eW{Qwr-X1V3;5tV;g7tlL4BRilT#Y&~o_!f;*hWxWmvA;Pg zRb^Y$#PipnVlLXQIzKCuQP9IER0Ai4jZp+STb1Xq0w(nVn<3j(<#!vuc?7eJEZC<- zPhM7ObhgabN2`pm($tu^MaBkRLzx&jdh;>BP|^$TyD1UHt9Qvr{ZcBs^l!JI4~d-Py$P5QOYO&8eQOFe)&G zZm+?jOJioGs7MkkQBCzJSFJV6DiCav#kmdxc@IJ9j5m#&1)dhJt`y8{T!uxpBZ>&z zD^V~%GEaODak5qGj|@cA7HSH{#jHW;Q0KRdTp@PJO#Q1gGI=((a1o%X*{knz&_`ym zkRLikN^fQ%Gy1|~6%h^vx>ToJ(#aJDxoD8qyOD{CPbSvR*bC>Nm+mkw>6mD0mlD0X zGepCcS_x7+6X7dH;%e`aIfPr-NXSqlu&?$Br1R}3lSF2 zWOXDtG;v#EVLSQ!>4323VX-|E#qb+x%IxzUBDI~N23x? zXUHfTTV#_f9T$-2FPG@t)rpc9u9!@h^!4=fL^kg9 zVv%&KY3!?bU*V4X)wNT%Chr;YK()=~lc%$auOB_|oH`H)Xot@1cmk{^qdt&1C55>k zYnIkdoiAYW41zrRBfqR?9r^cpWIEqfS;|R#bIs4$cqA zoq~$yl8h{IXTSdSdH?;`ky6i%+Oc?HvwH+IS`%_a!d#CqQob9OTNIuhUnOQsX;nl_ z;1w99qO9lAb|guQ9?p4*9TmIZ5{su!h?v-jpOuShq!{AuHUYtmZ%brpgHl$BKLK_L z6q5vZodM$)RE^NNO>{ZWPb%Ce111V4wIX}?DHA=uzTu0$1h8zy!SID~m5t)(ov$!6 zB^@fP#vpx3enbrbX=vzol zj^Bg7V$Qa53#3Lptz<6Dz=!f+FvUBVIBtYPN{(%t(EcveSuxi3DI>XQ*$HX~O{KLK5Dh{H2ir87E^!(ye{9H&2U4kFxtKHkw zZPOTIa*29KbXx-U4hj&iH<9Z@0wh8B6+>qQJn{>F0mGnrj|0_{nwN}Vw_C!rm0!dC z>iRlEf}<+z&?Z4o3?C>QrLBhXP!MV0L#CgF{>;ydIBd5A{bd-S+VFn zLqq4a*HD%65IqQ5BxNz~vOGU=JJv|NG{OcW%2PU~MEfy6(bl#^TfT7+az5M-I`i&l z#g!HUfN}j#adA-21x7jbP6F;`99c8Qt|`_@u@fbhZF+Wkmr;IdVHj+F=pDb4MY?fU znDe##Hn){D}<>vVhYL#)+6p9eAT3T$?;-~bZU%l7MpPNh_mPc(h@79 z;LPOXk>e3nmIxl9lno5cI5G@Q!pE&hQ`s{$Ae4JhTebeTsj*|!6%0;g=wH?B1-p{P z`In#EP12q6=xXU)LiD+mLidPrYGHaKbe5%|vzApq9(PI6I5XjlGf<_uyy59iw8W;k zdLZ|8R8RWDc`#)n2?~}@5)vvksY9UaLW`FM=2s|vyg>Remm=QGthdNL87$nR&TKB*LB%*B}|HkG64 zZ|O4=Yq?Zwl>_KgIG@<8i{Zw#P3q_CVT7Dt zoMwoI)BkpQj8u(m!>1dfOwin(50}VNiLA>A2OG&TBXcP=H(3I;!WdPFe?r_e{%>bc6(Zk?6~Ew&;#ZxBJ| zAd1(sAHqlo_*rP;nTk)kAORe3cF&tj>m&LsvB)`-y9#$4XU=Dd^+CzvoAz%9216#f0cS`;kERxrtjbl^7pmO;_y zYBGOL7R1ne7%F9M2~0a7Srciz=MeaMU~ zV%Y#m_KV$XReYHtsraWLrdJItLtRiRo98T3J|x~(a>~)#>JHDJ z|4j!VO^qWQfCm9-$N29SpHUqvz62%#%98;2FNIF*?c9hZ7GAu$q>=0 zX_igPSK8Et(fmD)V=CvbtA-V(wS?z6WV|RX2`g=w=4D)+H|F_N(^ON!jHf72<2nCJ z^$hEygTAq7URR{Vq$)BsmFKTZ+i1i(D@SJuTGBN3W8{JpJ^J zkF=gBTz|P;Xxo1NIypGzJq8GK^#4tl)S%8$PP6E8c|GkkQ)vZ1OiB%mH#@hO1Z%Hp zv%2~Mlar^}7TRN-SscvQ*xVv+i1g8CwybQHCi3k;o$K@bmB%^-U8dILX)7b~#iPu@ z&D&W7YY2M3v`s(lNm2#^dCRFd;UYMUw1Rh2mto8laH1m`n0u;>okp5XmbsShOhQwo z@EYOehg-KNab)Rieib?m&NXls+&31)MB&H-zj_WmJsGjc1sCSOz0!2Cm1vV?y@kkQ z<1k6O$hvTQnGD*esux*aD3lEm$mUi0td0NiOtz3?7}h;Bt*vIC{tDBr@D)9rjhP^< zY*uKu^BiuSO%)&FL>C?Ng!HYZHLy`R>`rgq+lJhdXfo|df zmkzpQf{6o9%^|7Yb5v{Tu& zsP*Y~<#jK$S_}uEisRC;=y{zbq`4Owc@JyvB->nPzb#&vcMKi5n66PVV{Aub>*>q8 z=@u7jYA4Ziw2{fSED#t4QLD7Rt`au^y(Ggp3y(UcwIKtI(OMi@GHxs!bj$v~j(FZK zbdcP^gExtXQqQ8^Q#rHy1&W8q!@^aL>g1v2R45T(KErWB)1rB@rU`#n&-?g2Ti~xXCrexrLgajgzNy=N9|A6K=RZ zc3yk>w5sz1zsg~tO~-Ie?%Aplh#)l3`s632mi#CCl^75%i6IY;dzpuxu+2fliEjQn z&=~U+@fV4>{Fp=kk0oQIvBdqS#yY`Z+>Z|T&K{d;v3}=JqzKx05XU3M&@D5!uPTGydasyeZ5=1~IX-?HlM@AGB9|Mzb{{Dt@bUU8{KUPU@EX zv0fpQNvG~nD2WiOe{Vn=hE^rQD(5m+!$rs%s{w9;yg9oxRhqi0)rwsd245)igLmv* zJb@Xlet$+)oS1Ra#qTB@U|lix{Y4lGW-$5*4xOLY{9v9&RK<|K!fTd0wCKYZ)h&2f zEMcTCd+bj&YVmc#>&|?F!3?br3ChoMPTA{RH@NF(jmGMB2fMyW(<0jUT=8QFYD7-% zS0ydgp%;?W=>{V9>BOf=p$q5U511~Q0-|C!85)W0ov7eb35%XV;3mdUI@f5|x5C)R z$t?xLFZOv}A(ZjjSbF+8&%@RChpRvo>)sy>-IO8A@>i1A+8bZd^5J#(lgNH&A=V4V z*HUa0{zT{u-_FF$978RziwA@@*XkV{<-CE1N=Z!_!7;wq*xt3t((m+^$SZKaPim3K zO|Gq*w5r&7iqiQ!03SY{@*LKDkzhkHe*TzQaYAkz&jNxf^&A_-40(aGs53&}$dlKz zsel3=FvHqdeIf!UYwL&Mg3w_H?utbE_(PL9B|VAyaOo8k4qb>EvNYHrVmj^ocJQTf zL%4vl{qgmJf#@uWL@)WiB>Lm>?ivwB%uO|)i~;#--nFx4Kr6{TruZU0N_t_zqkg`? zwPFK|WiC4sI%o1H%$!1ANyq6_0OSPQJybh^vFriV=`S;kSsYkExZwB{68$dTODWJQ z@N57kBhwN(y~OHW_M}rX2W13cl@*i_tjW`TMfa~Y;I}1hzApXgWqag@(*@(|EMOg- z^qMk(s~dL#ps>>`oWZD=i1XI3(;gs7q#^Uj&L`gVu#4zn$i!BIHMoOZG!YoPO^=Gu z5`X-(KoSsHL77c<7^Y*IM2bI!dzg5j>;I@2-EeB$LgW|;csQTM&Z|R)q>yEjk@Sw% z6FQk*&zHWzcXalUJSoa&pgH24n`wKkg=2^ta$b1`(BBpBT2Ah9yQF&Kh+3jTaSE|=vChGz2_R^{$C;D`Ua(_=|OO11uLm;+3k%kO19EA`U065i;fRBoH z{Hq$cgHKRFPf0#%L?$*KeS@FDD;_TfJ#dwP7zzO5F>xntH(ONK{4)#jYUDQr6N(N< zp+fAS9l9)^c4Ss8628Zq5AzMq4zc(In_yJSXAT57Dtl}@= zvZoD7iq0cx7*#I{{r9m{%~g6@Hdr|*njKBb_5}mobCv=&X^`D9?;x6cHwRcwnlO^h zl;MiKr#LaoB*PELm8+8%btnC)b^E12!^ zMmVA!z>59e7n+^!P{PA?f9M^2FjKVw1%x~<`RY5FcXJE)AE}MTopGFDkyEjGiE|C6 z(ad%<3?v*?p;LJGopSEY18HPu2*}U!Nm|rfewc6(&y(&}B#j85d-5PeQ{}zg>>Rvl zDQ3H4E%q_P&kjuAQ>!0bqgAj){vzHpnn+h(AjQ6GO9v**l0|aCsCyXVE@uh?DU;Em zE*+7EU9tDH````D`|rM6WUlzBf1e{ht8$62#ilA6Dcw)qAzSRwu{czZJAcKv8w(Q6 zx)b$aq*=E=b5(UH-5*u)3iFlD;XQyklZrwHy}+=h6=aKtTriguHP@Inf+H@q32_LL z2tX|+X}4dMYB;*EW9~^5bydv)_!<%q#%Ocyh=1>FwL{rtZ?#2Scp{Q55%Fd-LgLU$ zM2u#|F{%vi%+O2^~uK3)?$6>9cc7_}F zWU72eFrzZ~x3ZIBH;~EMtD%51o*bnW;&QuzwWd$ds=O>Ev807cu%>Ac^ZK&7bCN;Ftk#eeQL4pG0p!W{Ri@tGw>nhIo`rC zi!Z6?70nYrNf92V{Y_i(a4DG=5>RktP=?%GcHEx?aKN$@{w{uj#Cqev$bXefo?yC6KI%Rol z%~$974WCymg;BBhd9Mv}_MeNro_8IB4!evgo*je4h?B-CAkEW-Wr-Q_V9~ef(znU& z{f-OHnj>@lZH(EcUb2TpOkc70@1BPiY0B#++1EPY5|UU?&^Vpw|C`k4ZWiB-3oAQM zgmG%M`2qDw5BMY|tG++34My2fE|^kvMSp(d+~P(Vk*d+RW1833i_bX^RYbg9tDtX` zox?y^YYfs-#fX|y7i(FN7js)66jN!`p9^r7oildEU#6J1(415H3h>W*p(p9@dI|c7 z&c*Aqzksg}o`D@i+o@WIw&jjvL!(`)JglV5zwMn)praO2M05H&CDeps0Wq8(8AkuE zPm|8MB6f0kOzg(gw}k>rzhQyo#<#sVdht~Wdk`y`=%0!jbd1&>Kxed8lS{Xq?Zw>* zU5;dM1tt``JH+A9@>H%-9f=EnW)UkRJe0+e^iqm0C5Z5?iEn#lbp}Xso ztleC}hl&*yPFcoCZ@sgvvjBA_Ew6msFml$cfLQY_(=h03WS_z+Leeh$M3#-?f9YT^Q($z z+pgaEv$rIa*9wST`WHASQio=9IaVS7l<87%;83~X*`{BX#@>>p=k`@FYo ze!K5_h8hOc`m0mK0p}LxsguM}w=9vw6Ku8y@RNrXSRPh&S`t4UQY=e-B8~3YCt1Fc zU$CtRW%hbcy{6K{>v0F*X<`rXVM3a{!muAeG$zBf`a(^l${EA9w3>J{aPwJT?mKVN2ba+v)Mp*~gQ_+Ws6= zy@D?85!U@VY0z9T=E9LMbe$?7_KIg)-R$tD)9NqIt84fb{B;f7C)n+B8)Cvo*F0t! zva6LeeC}AK4gL#d#N_HvvD& z0;mdU3@7%d5>h(xX-NBmJAOChtb(pX-qUtRLF5f$ z`X?Kpu?ENMc88>O&ym_$Jc7LZ> z#73|xJ|aa@l}PawS4Mpt9n)38w#q^P1w2N|rYKdcG;nb!_nHMZA_09L!j)pBK~e+j?tb-_A`wF8 zIyh>&%v=|n?+~h}%i1#^9UqZ?E9W!qJ0d0EHmioSt@%v7FzF`eM$X==#oaPESHBm@ zYzTXVo*y|C0~l_)|NF|F(If~YWJVkQAEMf5IbH{}#>PZpbXZU;+b^P8LWmlmDJ%Zu)4CajvRL!g_Faph`g0hpA2)D0|h zYy0h5+@4T81(s0D=crojdj|dYa{Y=<2zKp@xl&{sHO;#|!uTHtTey25f1U z#=Nyz{rJy#@SPk3_U|aALcg%vEjwIqSO$LZI59^;Mu~Swb53L+>oxWiN7J{;P*(2b@ao*aU~}-_j10 z@fQiaWnb}fRrHhNKrxKmi{aC#34BRP(a#0K>-J8D+v_2!~(V-6J%M@L{s?fU5ChwFfqn)2$siOUKw z?SmIRlbE8ot5P^z0J&G+rQ5}H=JE{FNsg`^jab7g-c}o`s{JS{-#}CRdW@hO`HfEp z1eR0DsN! zt5xmsYt{Uu;ZM`CgW)VYk=!$}N;w+Ct$Wf!*Z-7}@pA62F^1e$Ojz9O5H;TyT&rV( zr#IBM8te~-2t2;kv2xm&z%tt3pyt|s#vg2EOx1XkfsB*RM;D>ab$W-D6#Jdf zJ3{yD;P4=pFNk2GL$g~+5x;f9m*U2!ovWMK^U5`mAgBRhGpu)e`?#4vsE1aofu)iT zDm;aQIK6pNd8MMt@}h|t9c$)FT7PLDvu3e)y`otVe1SU4U=o@d!gn(DB9kC>Ac1wJ z?`{Hq$Q!rGb9h&VL#z+BKsLciCttdLJe9EmZF)J)c1MdVCrxg~EM80_b3k{ur=jVjrVhDK1GTjd3&t#ORvC0Q_&m|n>&TF1C_>k^8&ylR7oz#rG?mE%V| zepj0BlD|o?p8~LK_to`GINhGyW{{jZ{xqaO*SPvH)BYy1eH22DL_Kkn28N!0z3fzj z_+xZ3{ph_Tgkd)D$OjREak$O{F~mODA_D`5VsoobVnpxI zV0F_79%JB!?@jPs=cY73FhGuT!?fpVX1W=Wm zK5}i7(Pfh4o|Z{Ur=Y>bM1BDo2OdXBB(4Y#Z!61A8C6;7`6v-(P{ou1mAETEV?Nt< zMY&?ucJcJ$NyK0Zf@b;U#3ad?#dp`>zmNn=H1&-H`Y+)ai-TfyZJX@O&nRB*7j$ zDQF!q#a7VHL3z#Hc?Ca!MRbgL`daF zW#;L$yiQP|5VvgvRLluk3>-1cS+7MQ1)DC&DpYyS9j;!Rt$HdXK1}tG3G_)ZwXvGH zG;PB^f@CFrbEK4>3gTVj73~Tny+~k_pEHt|^eLw{?6NbG&`Ng9diB9XsMr(ztNC!{FhW8Hi!)TI`(Q|F*b z-z;#*c1T~kN67omP(l7)ZuTlxaC_XI(K8$VPfAzj?R**AMb0*p@$^PsN!LB@RYQ4U zA^xYY9sX4+;7gY%$i%ddfvneGfzbE4ZTJT5Vk3&1`?ULTy28&D#A&{dr5ZlZH&NTz zdfZr%Rw*Ukmgu@$C5$}QLOyb|PMA5syQns?iN@F|VFEvFPK321mTW^uv?GGNH6rnM zR9a2vB`}Y++T3Wumy$6`W)_c0PS*L;;0J^(T7<)`s{}lZVp`e)fM^?{$ zLbNw>N&6aw5Hlf_M)h8=)x0$*)V-w-Pw5Kh+EY{^$?#{v)_Y{9p5K{DjLnJ(ZUcyk*y(6D8wHB8=>Y)fb_Pw0v)Xybk`Sw@hNEaHP$-n`DtYP ziJyiauEXtuMpWyQjg$gdJR?e+=8w+=5GO-OT8pRaVFP1k^vI|I&agGjN-O*bJEK!M z`kt^POhUexh+PA&@And|vk-*MirW?>qB(f%y{ux z*d44UXxQOs+C`e-x4KSWhPg-!gO~kavIL8X3?!Ac2ih-dkK~Ua2qlcs1b-AIWg*8u z0QvL~51vS$LnmJSOnV4JUCUzg&4;bSsR5r_=FD@y|)Y2R_--e zMWJ;~*r=vJssF5_*n?wF0DO_>Mja=g+HvT=Yd^uBU|aw zRixHUQJX0Pgt-nFV+8&|;-n>!jNUj!8Y_YzH*%M!-_uWt6& z|Ec+lAD``i^do;u_?<(RpzsYZVJ8~}|NjUFgXltofbjhf!v&208g^#0h-x?`z8cInq!9kfVwJ|HQ;VK>p_-fn@(3q?e51Keq(=U-7C0#as-q z8Or}Ps07>O2@AAXz_%3bTOh{tKm#uRe}Sqr=w6-Wz$FCdfF3qNabEaj`-OfipxaL- zPh2R*l&%ZbcV?lv4C3+t2DAVSFaRo20^W_n4|0t(_*`?KmmUHG2sNZ*CRZlCFIyZbJqLdBCj)~%if)g|4NJr(8!R!E0iBbm$;`m;1n2@(8*E%B zH!g{hK|WK?1jUfM9zX?hlV#l%!6^p$$P+~rg}OdKg|d^Ed4WTY1$1J@WWHr$Os_(L z;-Zu1FJqhR4LrCUl)C~E7gA!^wtA6YIh10In9rX@LGSjnTPtLp+gPGp6u z3}{?J1!yT~?FwqT;O_-1%37f#4ek&DL){N}MX3RbNfRb-T;U^wXhx#De&QssA$lu~ mWkA_K7-+yz9tH*t6hj_Qg(_m7JaeTomk=)l!_+yTk^le-`GmOu delta 34176 zcmX7vV`H6d(}mmEwr$(CZQE$vU^m*aZQE(=WXEZ2+l}qF_w)XN>&rEBu9;)4>7EB0 zo(HR^Mh47P)@z^^pH!4#b(O8!;$>N+S+v5K5f8RrQ+Qv0_oH#e!pI2>yt4ij>fI9l zW&-hsVAQg%dpn3NRy$kb_vbM2sr`>bZ48b35m{D=OqX;p8A${^Dp|W&J5mXvUl#_I zN!~GCBUzj~C%K?<7+UZ_q|L)EGG#_*2Zzko-&Kck)Qd2%CpS3{P1co1?$|Sj1?E;PO z7alI9$X(MDly9AIEZ-vDLhpAKd1x4U#w$OvBtaA{fW9)iD#|AkMrsSaNz(69;h1iM1#_ z?u?O_aKa>vk=j;AR&*V-p3SY`CI}Uo%eRO(Dr-Te<99WQhi>y&l%UiS%W2m(d#woD zW?alFl75!1NiUzVqgqY98fSQNjhX3uZ&orB08Y*DFD;sjIddWoJF;S_@{Lx#SQk+9 zvSQ-620z0D7cy8-u_7u?PqYt?R0m2k%PWj%V(L|MCO(@3%l&pzEy7ijNv(VXU9byn z@6=4zL|qk*7!@QWd9imT9i%y}1#6+%w=s%WmsHbw@{UVc^?nL*GsnACaLnTbr9A>B zK)H-$tB`>jt9LSwaY+4!F1q(YO!E7@?SX3X-Ug4r($QrmJnM8m#;#LN`kE>?<{vbCZbhKOrMpux zTU=02hy${;n&ikcP8PqufhT9nJU>s;dyl;&~|Cs+o{9pCu{cRF+0{iyuH~6=tIZXVd zR~pJBC3Hf-g%Y|bhTuGyd~3-sm}kaX5=T?p$V?48h4{h2;_u{b}8s~Jar{39PnL7DsXpxcX#3zx@f9K zkkrw9s2*>)&=fLY{=xeIYVICff2Id5cc*~l7ztSsU@xuXYdV1(lLGZ5)?mXyIDf1- zA7j3P{C5s?$Y-kg60&XML*y93zrir8CNq*EMx)Kw)XA(N({9t-XAdX;rjxk`OF%4-0x?ne@LlBQMJe5+$Ir{Oj`@#qe+_-z!g5qQ2SxKQy1ex_x^Huj%u+S@EfEPP-70KeL@7@PBfadCUBt%`huTknOCj{ z;v?wZ2&wsL@-iBa(iFd)7duJTY8z-q5^HR-R9d*ex2m^A-~uCvz9B-1C$2xXL#>ow z!O<5&jhbM&@m=l_aW3F>vjJyy27gY}!9PSU3kITbrbs#Gm0gD?~Tub8ZFFK$X?pdv-%EeopaGB#$rDQHELW!8bVt`%?&>0 zrZUQ0!yP(uzVK?jWJ8^n915hO$v1SLV_&$-2y(iDIg}GDFRo!JzQF#gJoWu^UW0#? z*OC-SPMEY!LYY*OO95!sv{#-t!3Z!CfomqgzFJld>~CTFKGcr^sUai5s-y^vI5K={ z)cmQthQuKS07e8nLfaIYQ5f}PJQqcmokx?%yzFH*`%k}RyXCt1Chfv5KAeMWbq^2MNft;@`hMyhWg50(!jdAn;Jyx4Yt)^^DVCSu?xRu^$*&&=O6#JVShU_N3?D)|$5pyP8A!f)`| z>t0k&S66T*es5(_cs>0F=twYJUrQMqYa2HQvy)d+XW&rai?m;8nW9tL9Ivp9qi2-` zOQM<}D*g`28wJ54H~1U!+)vQh)(cpuf^&8uteU$G{9BUhOL| zBX{5E1**;hlc0ZAi(r@)IK{Y*ro_UL8Ztf8n{Xnwn=s=qH;fxkK+uL zY)0pvf6-iHfX+{F8&6LzG;&d%^5g`_&GEEx0GU=cJM*}RecV-AqHSK@{TMir1jaFf&R{@?|ieOUnmb?lQxCN!GnAqcii9$ z{a!Y{Vfz)xD!m2VfPH=`bk5m6dG{LfgtA4ITT?Sckn<92rt@pG+sk>3UhTQx9ywF3 z=$|RgTN<=6-B4+UbYWxfQUOe8cmEDY3QL$;mOw&X2;q9x9qNz3J97)3^jb zdlzkDYLKm^5?3IV>t3fdWwNpq3qY;hsj=pk9;P!wVmjP|6Dw^ez7_&DH9X33$T=Q{>Nl zv*a*QMM1-2XQ)O=3n@X+RO~S`N13QM81^ZzljPJIFBh%x<~No?@z_&LAl)ap!AflS zb{yFXU(Uw(dw%NR_l7%eN2VVX;^Ln{I1G+yPQr1AY+0MapBnJ3k1>Zdrw^3aUig*! z?xQe8C0LW;EDY(qe_P!Z#Q^jP3u$Z3hQpy^w7?jI;~XTz0ju$DQNc4LUyX}+S5zh> zGkB%~XU+L?3pw&j!i|x6C+RyP+_XYNm9`rtHpqxvoCdV_MXg847oHhYJqO+{t!xxdbsw4Ugn($Cwkm^+36&goy$vkaFs zrH6F29eMPXyoBha7X^b+N*a!>VZ<&Gf3eeE+Bgz7PB-6X7 z_%2M~{sTwC^iQVjH9#fVa3IO6E4b*S%M;#WhHa^L+=DP%arD_`eW5G0<9Tk=Ci?P@ z6tJXhej{ZWF=idj32x7dp{zmQY;;D2*11&-(~wifGXLmD6C-XR=K3c>S^_+x!3OuB z%D&!EOk;V4Sq6eQcE{UEDsPMtED*;qgcJU^UwLwjE-Ww54d73fQ`9Sv%^H>juEKmxN+*aD=0Q+ZFH1_J(*$~9&JyUJ6!>(Nj zi3Z6zWC%Yz0ZjX>thi~rH+lqv<9nkI3?Ghn7@!u3Ef){G(0Pvwnxc&(YeC=Kg2-7z zr>a^@b_QClXs?Obplq@Lq-l5>W);Y^JbCYk^n8G`8PzCH^rnY5Zk-AN6|7Pn=oF(H zxE#8LkI;;}K7I^UK55Z)c=zn7OX_XVgFlEGSO}~H^y|wd7piw*b1$kA!0*X*DQ~O` z*vFvc5Jy7(fFMRq>XA8Tq`E>EF35{?(_;yAdbO8rrmrlb&LceV%;U3haVV}Koh9C| zTZnR0a(*yN^Hp9u*h+eAdn)d}vPCo3k?GCz1w>OOeme(Mbo*A7)*nEmmUt?eN_vA; z=~2}K_}BtDXJM-y5fn^v>QQo+%*FdZQFNz^j&rYhmZHgDA-TH47#Wjn_@iH4?6R{J z%+C8LYIy>{3~A@|y4kN8YZZp72F8F@dOZWp>N0-DyVb4UQd_t^`P)zsCoygL_>>x| z2Hyu7;n(4G&?wCB4YVUIVg0K!CALjRsb}&4aLS|}0t`C}orYqhFe7N~h9XQ_bIW*f zGlDCIE`&wwyFX1U>}g#P0xRRn2q9%FPRfm{-M7;}6cS(V6;kn@6!$y06lO>8AE_!O z{|W{HEAbI0eD$z9tQvWth7y>qpTKQ0$EDsJkQxAaV2+gE28Al8W%t`Pbh zPl#%_S@a^6Y;lH6BfUfZNRKwS#x_keQ`;Rjg@qj zZRwQXZd-rWngbYC}r6X)VCJ-=D54A+81%(L*8?+&r7(wOxDSNn!t(U}!;5|sjq zc5yF5$V!;%C#T+T3*AD+A({T)#p$H_<$nDd#M)KOLbd*KoW~9E19BBd-UwBX1<0h9 z8lNI&7Z_r4bx;`%5&;ky+y7PD9F^;Qk{`J@z!jJKyJ|s@lY^y!r9p^75D)_TJ6S*T zLA7AA*m}Y|5~)-`cyB+lUE9CS_`iB;MM&0fX**f;$n($fQ1_Zo=u>|n~r$HvkOUK(gv_L&@DE0b4#ya{HN)8bNQMl9hCva zi~j0v&plRsp?_zR zA}uI4n;^_Ko5`N-HCw_1BMLd#OAmmIY#ol4M^UjLL-UAat+xA+zxrFqKc@V5Zqan_ z+LoVX-Ub2mT7Dk_ z<+_3?XWBEM84@J_F}FDe-hl@}x@v-s1AR{_YD!_fMgagH6s9uyi6pW3gdhauG>+H? zi<5^{dp*5-9v`|m*ceT&`Hqv77oBQ+Da!=?dDO&9jo;=JkzrQKx^o$RqAgzL{ zjK@n)JW~lzxB>(o(21ibI}i|r3e;17zTjdEl5c`Cn-KAlR7EPp84M@!8~CywES-`mxKJ@Dsf6B18_!XMIq$Q3rTDeIgJ3X zB1)voa#V{iY^ju>*Cdg&UCbx?d3UMArPRHZauE}c@Fdk;z85OcA&Th>ZN%}=VU%3b9={Q(@M4QaeuGE(BbZ{U z?WPDG+sjJSz1OYFpdImKYHUa@ELn%n&PR9&I7B$<-c3e|{tPH*u@hs)Ci>Z@5$M?lP(#d#QIz}~()P7mt`<2PT4oHH}R&#dIx4uq943D8gVbaa2&FygrSk3*whGr~Jn zR4QnS@83UZ_BUGw;?@T zo5jA#potERcBv+dd8V$xTh)COur`TQ^^Yb&cdBcesjHlA3O8SBeKrVj!-D3+_p6%P zP@e{|^-G-C(}g+=bAuAy8)wcS{$XB?I=|r=&=TvbqeyXiuG43RR>R72Ry7d6RS;n^ zO5J-QIc@)sz_l6%Lg5zA8cgNK^GK_b-Z+M{RLYk5=O|6c%!1u6YMm3jJg{TfS*L%2 zA<*7$@wgJ(M*gyTzz8+7{iRP_e~(CCbGB}FN-#`&1ntct@`5gB-u6oUp3#QDxyF8v zOjxr}pS{5RpK1l7+l(bC)0>M;%7L?@6t}S&a zx0gP8^sXi(g2_g8+8-1~hKO;9Nn%_S%9djd*;nCLadHpVx(S0tixw2{Q}vOPCWvZg zjYc6LQ~nIZ*b0m_uN~l{&2df2*ZmBU8dv`#o+^5p>D5l%9@(Y-g%`|$%nQ|SSRm0c zLZV)45DS8d#v(z6gj&6|ay@MP23leodS8-GWIMH8_YCScX#Xr)mbuvXqSHo*)cY9g z#Ea+NvHIA)@`L+)T|f$Etx;-vrE3;Gk^O@IN@1{lpg&XzU5Eh3!w;6l=Q$k|%7nj^ z|HGu}c59-Ilzu^w<93il$cRf@C(4Cr2S!!E&7#)GgUH@py?O;Vl&joXrep=2A|3Vn zH+e$Ctmdy3B^fh%12D$nQk^j|v=>_3JAdKPt2YVusbNW&CL?M*?`K1mK*!&-9Ecp~>V1w{EK(429OT>DJAV21fG z=XP=%m+0vV4LdIi#(~XpaUY$~fQ=xA#5?V%xGRr_|5WWV=uoG_Z&{fae)`2~u{6-p zG>E>8j({w7njU-5Lai|2HhDPntQ(X@yB z9l?NGoKB5N98fWrkdN3g8ox7Vic|gfTF~jIfXkm|9Yuu-p>v3d{5&hC+ZD%mh|_=* zD5v*u(SuLxzX~owH!mJQi%Z=ALvdjyt9U6baVY<88B>{HApAJ~>`buHVGQd%KUu(d z5#{NEKk6Vy08_8*E(?hqZe2L?P2$>!0~26N(rVzB9KbF&JQOIaU{SumX!TsYzR%wB z<5EgJXDJ=1L_SNCNZcBWBNeN+Y`)B%R(wEA?}Wi@mp(jcw9&^1EMSM58?68gwnXF` zzT0_7>)ep%6hid-*DZ42eU)tFcFz7@bo=<~CrLXpNDM}tv*-B(ZF`(9^RiM9W4xC%@ZHv=>w(&~$Wta%)Z;d!{J;e@z zX1Gkw^XrHOfYHR#hAU=G`v43E$Iq}*gwqm@-mPac0HOZ0 zVtfu7>CQYS_F@n6n#CGcC5R%4{+P4m7uVlg3axX}B(_kf((>W?EhIO&rQ{iUO$16X zv{Abj3ZApUrcar7Ck}B1%RvnR%uocMlKsRxV9Qqe^Y_5C$xQW@9QdCcF%W#!zj;!xWc+0#VQ*}u&rJ7)zc+{vpw+nV?{tdd&Xs`NV zKUp|dV98WbWl*_MoyzM0xv8tTNJChwifP!9WM^GD|Mkc75$F;j$K%Y8K@7?uJjq-w zz*|>EH5jH&oTKlIzueAN2926Uo1OryC|CmkyoQZABt#FtHz)QmQvSX35o`f z<^*5XXxexj+Q-a#2h4(?_*|!5Pjph@?Na8Z>K%AAjNr3T!7RN;7c)1SqAJfHY|xAV z1f;p%lSdE8I}E4~tRH(l*rK?OZ>mB4C{3e%E-bUng2ymerg8?M$rXC!D?3O}_mka? zm*Y~JMu+_F7O4T;#nFv)?Ru6 z92r|old*4ZB$*6M40B;V&2w->#>4DEu0;#vHSgXdEzm{+VS48 z7U1tVn#AnQ3z#gP26$!dmS5&JsXsrR>~rWA}%qd{92+j zu+wYAqrJYOA%WC9nZ>BKH&;9vMSW_59z5LtzS4Q@o5vcrWjg+28#&$*8SMYP z!l5=|p@x6YnmNq>23sQ(^du5K)TB&K8t{P`@T4J5cEFL@qwtsCmn~p>>*b=37y!kB zn6x{#KjM{S9O_otGQub*K)iIjtE2NfiV~zD2x{4r)IUD(Y8%r`n;#)ujIrl8Sa+L{ z>ixGoZJ1K@;wTUbRRFgnltN_U*^EOJS zRo4Y+S`cP}e-zNtdl^S5#%oN#HLjmq$W^(Y6=5tM#RBK-M14RO7X(8Gliy3+&9fO; zXn{60%0sWh1_g1Z2r0MuGwSGUE;l4TI*M!$5dm&v9pO7@KlW@j_QboeDd1k9!7S)jIwBza-V#1)(7ht|sjY}a19sO!T z2VEW7nB0!zP=Sx17-6S$r=A)MZikCjlQHE)%_Ka|OY4+jgGOw=I3CM`3ui^=o0p7u z?xujpg#dRVZCg|{%!^DvoR*~;QBH8ia6%4pOh<#t+e_u!8gjuk_Aic=|*H24Yq~Wup1dTRQs0nlZOy+30f16;f7EYh*^*i9hTZ`h`015%{i|4 z?$7qC3&kt#(jI#<76Biz=bl=k=&qyaH>foM#zA7}N`Ji~)-f-t&tR4^do)-5t?Hz_Q+X~S2bZx{t+MEjwy3kGfbv(ij^@;=?H_^FIIu*HP_7mpV)NS{MY-Rr7&rvWo@Wd~{Lt!8|66rq`GdGu% z@<(<7bYcZKCt%_RmTpAjx=TNvdh+ZiLkMN+hT;=tC?%vQQGc7WrCPIYZwYTW`;x|N zrlEz1yf95FiloUU^(onr3A3>+96;;6aL?($@!JwiQ2hO|^i)b4pCJ7-y&a~B#J`#FO!3uBp{5GBvM2U@K85&o0q~6#LtppE&cVY z3Bv{xQ-;i}LN-60B2*1suMd=Fi%Y|7@52axZ|b=Wiwk^5eg{9X4}(q%4D5N5_Gm)` zg~VyFCwfkIKW(@@ZGAlTra6CO$RA_b*yz#){B82N7AYpQ9)sLQfhOAOMUV7$0|d$=_y&jl>va$3u-H z_+H*|UXBPLe%N2Ukwu1*)kt!$Y>(IH3`YbEt; znb1uB*{UgwG{pQnh>h@vyCE!6B~!k}NxEai#iY{$!_w54s5!6jG9%pr=S~3Km^EEA z)sCnnau+ZY)(}IK#(3jGGADw8V7#v~<&y5cF=5_Ypkrs3&7{}%(4KM7) zuSHVqo~g#1kzNwXc39%hL8atpa1Wd#V^uL=W^&E)fvGivt)B!M)?)Y#Ze&zU6O_I?1wj)*M;b*dE zqlcwgX#eVuZj2GKgBu@QB(#LHMd`qk<08i$hG1@g1;zD*#(9PHjVWl*5!;ER{Q#A9 zyQ%fu<$U?dOW=&_#~{nrq{RRyD8upRi}c-m!n)DZw9P>WGs>o1vefI}ujt_`O@l#Z z%xnOt4&e}LlM1-0*dd?|EvrAO-$fX8i{aTP^2wsmSDd!Xc9DxJB=x1}6|yM~QQPbl z0xrJcQNtWHgt*MdGmtj%x6SWYd?uGnrx4{m{6A9bYx`m z$*UAs@9?3s;@Jl19%$!3TxPlCkawEk12FADYJClt0N@O@Pxxhj+Kk(1jK~laR0*KGAc7%C4nI^v2NShTc4#?!p{0@p0T#HSIRndH;#Ts0YECtlSR}~{Uck+keoJq6iH)(Zc~C!fBe2~4(Wd> zR<4I1zMeW$<0xww(@09!l?;oDiq zk8qjS9Lxv$<5m#j(?4VLDgLz;8b$B%XO|9i7^1M;V{aGC#JT)c+L=BgCfO5k>CTlI zOlf~DzcopV29Dajzt*OcYvaUH{UJPaD$;spv%>{y8goE+bDD$~HQbON>W*~JD`;`- zZEcCPSdlCvANe z=?|+e{6AW$f(H;BND>uy1MvQ`pri>SafK5bK!YAE>0URAW9RS8#LWUHBOc&BNQ9T+ zJpg~Eky!u!9WBk)!$Z?!^3M~o_VPERYnk1NmzVYaGH;1h+;st==-;jzF~2LTn+x*k zvywHZg7~=aiJe=OhS@U>1fYGvT1+jsAaiaM;) zay2xsMKhO+FIeK?|K{G4SJOEt*eX?!>K8jpsZWW8c!X|JR#v(1+Ey5NM^TB1n|_40 z@Db2gH}PNT+3YEyqXP8U@)`E|Xat<{K5K;eK7O0yV72m|b!o43!e-!P>iW>7-9HN7 zmmc7)JX0^lPzF#>$#D~nU^3f!~Q zQWly&oZEb1847&czU;dg?=dS>z3lJkADL1innNtE(f?~OxM`%A_PBp?Lj;zDDomf$ z;|P=FTmqX|!sHO6uIfCmh4Fbgw@`DOn#`qAPEsYUiBvUlw zevH{)YWQu>FPXU$%1!h*2rtk_J}qNkkq+StX8Wc*KgG$yH#p-kcD&)%>)Yctb^JDB zJe>=!)5nc~?6hrE_3n^_BE<^;2{}&Z>Dr)bX>H{?kK{@R)`R5lnlO6yU&UmWy=d03 z*(jJIwU3l0HRW1PvReOb|MyZT^700rg8eFp#p<3Et%9msiCxR+jefK%x81+iN0=hG z;<`^RUVU+S)Iv-*5y^MqD@=cp{_cP4`s=z)Ti3!Bf@zCmfpZTwf|>|0t^E8R^s`ad z5~tA?0x7OM{*D;zb6bvPu|F5XpF11`U5;b*$p zNAq7E6c=aUnq>}$JAYsO&=L^`M|DdSSp5O4LA{|tO5^8%Hf1lqqo)sj=!aLNKn9(3 zvKk($N`p`f&u+8e^Z-?uc2GZ_6-HDQs@l%+pWh!|S9+y3!jrr3V%cr{FNe&U6(tYs zLto$0D+2}K_9kuxgFSeQ!EOXjJtZ$Pyl_|$mPQ9#fES=Sw8L% zO7Jij9cscU)@W+$jeGpx&vWP9ZN3fLDTp zaYM$gJD8ccf&g>n?a56X=y zec%nLN`(dVCpSl9&pJLf2BN;cR5F0Nn{(LjGe7RjFe7efp3R_2JmHOY#nWEc2TMhMSj5tBf-L zlxP3sV`!?@!mRnDTac{35I7h@WTfRjRiFw*Q*aD8)n)jdkJC@)jD-&mzAdK6Kqdct8P}~dqixq;n zjnX!pb^;5*Rr?5ycT7>AB9)RED^x+DVDmIbHKjcDv2lHK;apZOc=O@`4nJ;k|iikKk66v4{zN#lmSn$lh z_-Y3FC)iV$rFJH!#mNqWHF-DtSNbI)84+VLDWg$ph_tkKn_6+M1RZ!)EKaRhY={el zG-i@H!fvpH&4~$5Q+zHU(Ub=;Lzcrc3;4Cqqbr$O`c5M#UMtslK$3r+Cuz>xKl+xW?`t2o=q`1djXC=Q6`3C${*>dm~I{ z(aQH&Qd{{X+&+-4{epSL;q%n$)NOQ7kM}ea9bA++*F+t$2$%F!U!U}(&y7Sd0jQMV zkOhuJ$+g7^kb<`jqFiq(y1-~JjP13J&uB=hfjH5yAArMZx?VzW1~>tln~d5pt$uWR~TM!lIg+D)prR zocU0N2}_WTYpU`@Bsi1z{$le`dO{-pHFQr{M}%iEkX@0fv!AGCTcB90@e|slf#unz z*w4Cf>(^XI64l|MmWih1g!kwMJiifdt4C<5BHtaS%Ra>~3IFwjdu;_v*7BL|fPu+c zNp687`{}e@|%)5g4U*i=0zlSWXzz=YcZ*&Bg zr$r(SH0V5a%oHh*t&0y%R8&jDI=6VTWS_kJ!^WN!ET@XfEHYG-T1jJsDd`yEgh!^* z+!P62=v`R2=TBVjt=h}|JIg7N^RevZuyxyS+jsk>=iLA52Ak+7L?2$ZDUaWdi1PgB z_;*Uae_n&7o27ewV*y(wwK~8~tU<#Np6UUIx}zW6fR&dKiPq|$A{BwG_-wVfkm+EP zxHU@m`im3cD#fH63>_X`Il-HjZN_hqOVMG;(#7RmI13D-s_>41l|vDH1BglPsNJ+p zTniY{Hwoief+h%C^|@Syep#722=wmcTR7awIzimAcye?@F~f|n<$%=rM+Jkz9m>PF70$)AK@|h_^(zn?!;={;9Zo7{ zBI7O?6!J2Ixxk;XzS~ScO9{K1U9swGvR_d+SkromF040|Slk%$)M;9O_8h0@WPe4= z%iWM^ust8w$(NhO)7*8uq+9CycO$3m-l}O70sBi<4=j0CeE_&3iRUWJkDM$FIfrkR zHG2|hVh3?Nt$fdI$W?<|Qq@#hjDijk@7eUr1&JHYI>(_Q4^3$+Zz&R)Z`WqhBIvjo zX#EbA8P0Qla-yACvt)%oAVHa#kZi3Y8|(IOp_Z6J-t{)98*OXQ#8^>vTENsV@(M}^ z(>8BXw`{+)BfyZB!&85hT0!$>7$uLgp9hP9M7v=5@H`atsri1^{1VDxDqizj46-2^ z?&eA9udH#BD|QY2B7Zr$l;NJ-$L!u8G{MZoX)~bua5J=0p_JnM`$(D4S!uF}4smWq zVo%kQ~C~X?cWCH zo4s#FqJ)k|D{c_ok+sZ8`m2#-Uk8*o)io`B+WTD0PDA!G`DjtibftJXhPVjLZj~g& z=MM9nF$7}xvILx}BhM;J-Xnz0=^m1N2`Mhn6@ct+-!ijIcgi6FZ*oIPH(tGYJ2EQ0 z{;cjcc>_GkAlWEZ2zZLA_oa-(vYBp7XLPbHCBcGH$K9AK6nx}}ya%QB2=r$A;11*~ z_wfru1SkIQ0&QUqd)%eAY^FL!G;t@7-prQ|drDn#yDf%Uz8&kGtrPxKv?*TqkC(}g zUx10<;3Vhnx{gpWXM8H zKc0kkM~gIAts$E!X-?3DWG&^knj4h(q5(L;V81VWyC@_71oIpXfsb0S(^Js#N_0E} zJ%|XX&EeVPyu}? zz~(%slTw+tcY3ZMG$+diC8zed=CTN}1fB`RXD_v2;{evY z@MCG$l9Az+F()8*SqFyrg3jrN7k^x3?;A?L&>y{ZUi$T8!F7Dv8s}}4r9+Wo0h^m= zAob@CnJ;IR-{|_D;_w)? zcH@~&V^(}Ag}%A90);X2AhDj(-YB>$>GrW1F4C*1S5`u@N{T|;pYX1;E?gtBbPvS* zlv3r#rw2KCmLqX0kGT8&%#A6Sc(S>apOHtfn+UdYiN4qPawcL{Sb$>&I)Ie>Xs~ej z7)a=-92!sv-A{-7sqiG-ysG0k&beq6^nX1L!Fs$JU#fsV*CbsZqBQ|y z{)}zvtEwO%(&mIG|L?qs2Ou1rqTZHV@H+sm8Nth(+#dp0DW4VXG;;tCh`{BpY)THY z_10NNWpJuzCG%Q@#Aj>!v7Eq8eI6_JK3g2CsB2jz)2^bWiM{&U8clnV7<2?Qx5*k_ zl9B$P@LV7Sani>Xum{^yJ6uYxM4UHnw4zbPdM|PeppudXe}+OcX z!nr!xaUA|xYtA~jE|436iL&L={H3e}H`M1;2|pLG)Z~~Ug9X%_#D!DW>w}Es!D{=4 zxRPBf5UWm2{}D>Em;v43miQ~2{>%>O*`wA{7j;yh;*DV=C-bs;3p{AD;>VPcn>E;V zLgtw|Y{|Beo+_ABz`lofH+cdf33LjIf!RdcW~wWgmsE%2yCQGbst4TS_t%6nS8a+m zFEr<|9TQzQC@<(yNN9GR4S$H-SA?xiLIK2O2>*w-?cdzNPsG4D3&%$QOK{w)@Dk}W z|3_Z>U`XBu7j6Vc=es(tz}c7k4al1$cqDW4a~|xgE9zPX(C`IsN(QwNomzsBOHqjd zi{D|jYSv5 zC>6#uB~%#!!*?zXW`!yHWjbjwm!#eo3hm;>nJ!<`ZkJamE6i>>WqkoTpbm(~b%G_v z`t3Z#ERips;EoA_0c?r@WjEP|ulD+hue5r8946Sd0kuBD$A!=dxigTZn)u3>U;Y8l zX9j(R*(;;i&HrB&M|Xnitzf@><3#)aKy=bFCf5Hz@_);{nlL?J!U>%fL$Fk~Ocs3& zB@-Ek%W>h9#$QIYg07&lS_CG3d~LrygXclO!Ws-|PxMsn@n{?77wCaq?uj`dd7lllDCGd?ed&%5k{RqUhiN1u&?uz@Fq zNkv_4xmFcl?vs>;emR1R<$tg;*Ayp@rl=ik z=x2Hk zJqsM%++e|*+#camAiem6f;3-khtIgjYmNL0x|Mz|y{r{6<@_&a7^1XDyE>v*uo!qF zBq^I8PiF#w<-lFvFx9xKoi&0j)4LX~rWsK$%3hr@ebDv^($$T^4m4h#Q-(u*Mbt6F zE%y0Fvozv=WAaTj6EWZ)cX{|9=AZDvPQuq>2fUkU(!j1GmdgeYLX`B0BbGK(331ME zu3yZ3jQ@2)WW5!C#~y}=q5Av=_;+hNi!%gmY;}~~e!S&&^{4eJuNQ2kud%Olf8TRI zW-Dze987Il<^!hCO{AR5tLW{F1WLuZ>nhPjke@CSnN zzoW{m!+PSCb7byUf-1b;`{0GU^zg7b9c!7ueJF`>L;|akVzb&IzoLNNEfxp7b7xMN zKs9QG6v@t7X)yYN9}3d4>*ROMiK-Ig8(Do$3UI&E}z!vcH2t(VIk-cLyC-Y%`)~>Ce23A=dQsc<( ziy;8MmHki+5-(CR8$=lRt{(9B9W59Pz|z0^;`C!q<^PyE$KXt!KibFH*xcB9V%xTD zn;YlZ*tTukwr$(mWMka@|8CW-J8!zCXI{P1-&=wSvZf&%9SZ7m`1&2^nV#D z6T*)`Mz3wGUC69Fg0Xk!hwY}ykk!TE%mr57TLX*U4ygwvM^!#G`HYKLIN>gT;?mo% zAxGgzSnm{}vRG}K)8n(XjG#d+IyAFnozhk|uwiey(p@ zu>j#n4C|Mhtd=0G?Qn5OGh{{^MWR)V*geNY8d)py)@5a85G&_&OSCx4ASW8g&AEXa zC}^ET`eORgG*$$Q1L=9_8MCUO4Mr^1IA{^nsB$>#Bi(vN$l8+p(U^0dvN_{Cu-UUm zQyJc!8>RWp;C3*2dGp49QVW`CRR@no(t+D|@nl138lu@%c1VCy3|v4VoKZ4AwnnjF z__8f$usTzF)TQ$sQ^|#(M}-#0^3Ag%A0%5vA=KK$37I`RY({kF-z$(P50pf3_20YTr%G@w+bxE_V+Tt^YHgrlu$#wjp7igF!=o8e2rqCs|>XM9+M7~TqI&fcx z=pcX6_MQQ{TIR6a0*~xdgFvs<2!yaA1F*4IZgI!)xnzJCwsG&EElg_IpFbrT}nr)UQy}GiK;( zDlG$cksync34R3J^FqJ=={_y9x_pcd%$B*u&vr7^ItxqWFIAkJgaAQiA)pioK1JQ| zYB_6IUKc$UM*~f9{Xzw*tY$pUglV*?BDQuhsca*Fx!sm`9y`V&?lVTH%%1eJ74#D_ z7W+@8@7LAu{aq)sPys{MM~;`k>T%-wPA)E2QH7(Z4XEUrQ5YstG`Uf@w{n_Oc!wem z7=8z;k$N{T74B*zVyJI~4d60M09FYG`33;Wxh=^Ixhs69U_SG_deO~_OUO1s9K-8p z5{HmcXAaKqHrQ@(t?d@;63;Pnj2Kk<;Hx=kr>*Ko`F*l){%GVDj5nkohSU)B&5Vrc zo0u%|b%|VITSB)BXTRPQC=Bv=qplloSI#iKV#~z#t#q*jcS`3s&w-z^m--CYDI7n2 z%{LHFZ*(1u4DvhES|Dc*n%JL8%8?h7boNf|qxl8D)np@5t~VORwQn)TuSI07b-T=_ zo8qh+0yf|-6=x;Ra$w&WeVZhUO%3v6Ni*}i&sby3s_(?l5Er{K9%0_dE<`7^>8mLr zZ|~l#Bi@5}8{iZ$(d9)!`}@2~#sA~?uH|EbrJQcTw|ssG)MSJJIF96-_gf&* zy~I&$m6e0nnLz^M2;G|IeUk?s+afSZ){10*P~9W%RtYeSg{Nv5FG<2QaWpj?d`;}<4( z>V1i|wNTpH`jJtvTD0C3CTws410U9HS_%Ti2HaB~%^h6{+$@5`K9}T=eQL;dMZ?=Y zX^z?B3ZU_!E^OW%Z*-+t&B-(kLmDwikb9+F9bj;NFq-XHRB=+L)Rew{w|7p~7ph{#fRT}}K zWA)F7;kJBCk^aFILnkV^EMs=B~#qh*RG2&@F|x2$?7QTX_T6qL?i$c6J*-cNQC~E6dro zR)CGIoz;~V?=>;(NF4dihkz~Koqu}VNPE9^R{L@e6WkL{fK84H?C*uvKkO(!H-&y( zq|@B~juu*x#J_i3gBrS0*5U*%NDg+Ur9euL*5QaF^?-pxxieMM6k_xAP;S}sfKmIa zj(T6o{4RfARHz25YWzv=QaJ4P!O$LHE(L~6fB89$`6+olZR!#%y?_v+Cf+g)5#!ZM zkabT-y%v|ihYuV}Y%-B%pxL264?K%CXlbd_s<GY5BG*`kYQjao$QHiC_qPk5uE~AO+F=eOtTWJ1vm*cU(D5kvs3kity z$IYG{$L<8|&I>|WwpCWo5K3!On`)9PIx(uWAq>bSQTvSW`NqgprBIuV^V>C~?+d(w$ZXb39Vs`R=BX;4HISfN^qW!{4 z^amy@Nqw6oqqobiNlxzxU*z2>2Q;9$Cr{K;*&l!;Y??vi^)G|tefJG9utf|~4xh=r3UjmRlADyLC*i`r+m;$7?7*bL!oR4=yU<8<-3XVA z%sAb`xe&4RV(2vj+1*ktLs<&m~mGJ@RuJ)1c zLxZyjg~*PfOeAm8R>7e&#FXBsfU_?azU=uxBm=E6z7FSr7J>{XY z1qUT>dh`X(zHRML_H-7He^P_?148AkDqrb>;~1M-k+xHVy>;D7p!z=XBgxMGQX2{* z-xMCOwS33&K^~3%#k`eIjKWvNe1f3y#}U4;J+#-{;=Xne^6+eH@eGJK#i|`~dgV5S zdn%`RHBsC!=9Q=&=wNbV#pDv6rgl?k1wM03*mN`dQBT4K%uRoyoH{e=ZL5E*`~X|T zbKG9aWI}7NGTQtjc3BYDTY3LbkgBNSHG$5xVx8gc@dEuJqT~QPBD=Scf53#kZzZ6W zM^$vkvMx+-0$6R^{{hZ2qLju~e85Em>1nDcRN3-Mm7x;87W#@RSIW9G>TT6Q{4e~b z8DN%n83FvXWdpr|I_8TaMv~MCqq0TA{AXYO-(~l=ug42gpMUvOjG_pWSEdDJ2Bxqz z!em;9=7y3HW*XUtK+M^)fycd8A6Q@B<4biGAR)r%gQf>lWI%WmMbij;un)qhk$bff zQxb{&L;`-1uvaCE7Fm*83^0;!QA5-zeSvKY}WjbwE68)jqnOmj^CTBHaD zvK6}Mc$a39b~Y(AoS|$%ePoHgMjIIux?;*;=Y|3zyfo)^fM=1GBbn7NCuKSxp1J|z zC>n4!X_w*R8es1ofcPrD>%e=E*@^)7gc?+JC@mJAYsXP;10~gZv0!Egi~){3mjVzs z^PrgddFewu>Ax_G&tj-!L=TuRl0FAh#X0gtQE#~}(dSyPO=@7yd zNC6l_?zs_u5&x8O zQ|_JvKf!WHf43F0R%NQwGQi-Dy7~PGZ@KRKMp?kxlaLAV=X{UkKgaTu2!qzPi8aJ z-;n$}unR?%uzCkMHwb56T%IUV)h>qS(XiuRLh3fdlr!Cri|{fZf0x9GVYUOlsKgxLA7vHrkpQddcSsg4JfibzpB zwR!vYiL)7%u8JG7^x@^px(t-c_Xt|9Dm)C@_zGeW_3nMLZBA*9*!fLTV$Uf1a0rDt zJI@Z6pdB9J(a|&T_&AocM2WLNB;fpLnlOFtC9yE6cb39?*1@wy8UgruTtX?@=<6YW zF%82|(F7ANWQ`#HPyPqG6~ggFlhJW#R>%p@fzrpL^K)Kbwj(@#7s97r`)iJ{&-ToR z$7(mQI@~;lwY+8dSKP~0G|#sjL2lS0LQP3Oe=>#NZ|JKKYd6s6qwe#_6Xz_^L4PJ5TM_|#&~zy= zabr|kkr3Osj;bPz`B0s;c&kzzQ2C8|tC9tz;es~zr{hom8bT?t$c|t;M0t2F{xI;G z`0`ADc_nJSdT`#PYCWu4R0Rmbk#PARx(NBfdU>8wxzE(`jA}atMEsaG6zy8^^nCu| z9_tLj90r-&Xc~+p%1vyt>=q_hQsDYB&-hPj(-OGxFpesWm;A(Lh>UWy4SH9&+mB(A z2jkTQ2C&o(Q4wC_>|c()M8_kF?qKhNB+PW6__;U+?ZUoDp2GNr<|*j(CC*#v0{L2E zgVBw6|3c(~V4N*WgJsO(I3o>8)EO5;p7Xg8yU&%rZ3QSRB6Ig6MK7Wn5r+xo2V}fM z0QpfDB9^xJEi}W*Fv6>=p4%@eP`K5k%kCE0YF2Eu5L!DM1ZY7wh`kghC^NwxrL}90dRXjQx=H>8 zOWP@<+C!tcw8EL8aCt9{|4aT+x|70i6m*LP*lhp;kGr5f#OwRy`(60LK@rd=to5yk^%N z6MTSk)7)#!cGDV@pbQ>$N8i2rAD$f{8T{QM+|gaj^sBt%24UJGF4ufrG1_Ag$Rn?c zzICg9`ICT>9N_2vqvVG#_lf9IEd%G5gJ_!j)1X#d^KUJBkE9?|K03AEe zo>5Rql|WuUU=LhLRkd&0rH4#!!>sMg@4Wr=z2|}dpOa`4c;_DqN{3Pj`AgSnc;h%# z{ny1lK%7?@rwZO(ZACq#8mL)|vy8tO0d1^4l;^e?hU+zuH%-8Y^5YqM9}sRzr-XC0 zPzY1l($LC-yyy*1@eoEANoTLQAZ2lVto2r7$|?;PPQX`}rbxPDH-a$8ez@J#v0R5n z7P*qT3aHj02*cK)WzZmoXkw?e3XNu&DkElGZ0Nk~wBti%yLh+l2DYx&U1lD_NW_Yt zGN>yOF?u%ksMW?^+~2&p@NoPzk`T)8qifG_owD>@iwI3@u^Y;Mqaa!2DGUKi{?U3d z|Efe=CBc!_ZDoa~LzZr}%;J|I$dntN24m4|1(#&Tw0R}lP`a`?uT;>szf^0mDJx3u z6IJvpeOpS$OV!Xw21p>Xu~MZ(Nas5Iim-#QSLIYSNhYgx1V!AR>b zf5b7O`ITTvW5z%X8|7>&BeEs8~J1i47l;`7Y#MUMReQ4z!IL1rh8UauKNPG?7rV_;#Y zG*6Vrt^SsTMOpV7mkui}l_S8UNOBcYi+DzcMF>YKrs3*(q5fwVCr;_zO?gpGx*@%O zl`KOwYMSUs4e&}eM#FhB3(RIDJ9ZRn6NN{2Nf+ z2jcz%-u6IPq{n7N3wLH{9c+}4G(NyZa`UmDr5c-SPgj0Sy$VN#Vxxr;kF>-P;5k!w zuAdrP(H+v{Dybn78xM6^*Ym@UGxx?L)m}WY#R>6M2zXnPL_M9#h($ECz^+(4HmKN7 zA>E;`AEqouHJd7pegrq4zkk>kHh`TEb`^(_ea;v{?MW3Sr^FXegkqAQPM-h^)$#Jn z?bKbnXR@k~%*?q`TPL=sD8C+n^I#08(}d$H(@Y;3*{~nv4RLZLw`v=1M0-%j>CtT( zTp#U03GAv{RFAtj4vln4#E4eLOvt zs;=`m&{S@AJbcl1q^39VOtmN^Zm(*x(`(SUgF(=6#&^7oA8T_ojX>V5sJx@*cV|29 z)6_%P6}e}`58Sd;LY2cWv~w}fer&_c1&mlY0`YNNk9q=TRg@Khc5E$N`aYng=!afD z@ewAv^jl$`U5;q4OxFM4ab%X_Jv>V!98w$8ZN*`D-)0S7Y^6xW$pQ%g3_lEmW9Ef^ zGmFsQw`E!ATjDvy@%mdcqrD-uiKB}!)ZRwpZRmyu+x|RUXS+oQ*_jIZKAD~U=3B|t zz>9QQr91qJihg9j9rWHww{v@+SYBzCfc0kI=4Gr{ZLcC~mft^EkJ`CMl?8fZ z3G4ix71=2dQ`5QuTOYA0(}f`@`@U<#K?1TI(XO9c*()q!Hf}JUCaUmg#y?ffT9w1g zc)e=JcF-9J`hK{0##K#A>m^@ZFx!$g09WSBdc8O^IdP&JE@O{i0&G!Ztvt{L4q%x& zGE2s!RVi6ZN9)E*(c33HuMf7#X2*VPVThdmrVz-Fyqxcs&aI4DvP#bfW={h$9>K0HsBTUf z2&!G;( z^oOVIYJv~OM=-i`6=r4Z1*hC8Fcf3rI9?;a_rL*nr@zxwKNlxf(-#Kgn@C~4?BdKk zYvL?QcQeDwwR5_S(`sn&{PL6FYxwb-qSh_rUUo{Yi-GZz5rZotG4R<+!PfsGg`MVtomw z5kzOZJrh(#rMR_87KeP0Q=#^5~r_?y1*kN?3Fq% zvnzHw$r!w|Soxz8Nbx2d&{!#w$^Hua%fx!xUbc2SI-<{h>e2I;$rJL)4)hnT5cx^* zIq#+{3;Leun3Xo=C(XVjt_z)F#PIoAw%SqJ=~DMQeB zNWQ={d|1qtlDS3xFik}#j*8%DG0<^6fW~|NGL#P_weHnJ(cYEdJtI9#1-Pa8M}(r{ zwnPJB_qB?IqZw5h!hRwW2WIEb?&F<52Ruxpr77O2K>=t*3&Z@=5(c^Uy&JSph}{Q^ z0Tl|}gt=&vK;Rb9Tx{{jUvhtmF>;~k$8T7kp;EV`C!~FKW|r$n^d6=thh`)^uYgBd zydgnY9&mm$?B@pKK+_QreOm?wnl5l}-wA$RZCZukfC$slxbqv9uKq0o^QeSID96{Rm^084kZ)*`P zk))V~+<4-_7d6<~)PL%!+%JP`Dn23vUpH47h~xnA=B_a}rLy|7U-f0W+fH`{wnyh2 zD$JYdXuygeP5&OAqpl2)BZ|X){~G;E|7{liYf%AZFmXXyA@32qLA)tuuQz`n^iH1Y z=)pAzxK$jw0Xq?7`M`=kN2WeQFhz)p;QhjbKg#SB zP~_Vqo0SGbc5Q;v4Q7vm6_#iT+p9B>%{s`8H}r|hAL5I8Q|ceJAL*eruzD8~_m>fg26HvLpik&#{3Zd#|1C_>l&-RW2nBBzSO zQ3%G{nI*T}jBjr%3fjG*&G#ruH^ioDM>0 zb0vSM8ML?tPU*y%aoCq;V%x%~!W*HaebuDn9qeT*vk0%X>fq-4zrrQf{Uq5zI1rEy zjQ@V|Cp~$AoBu=VgnVl@Yiro>ZF{uB=5)~i1rZzmDTIzLBy`8Too!#Z4nE$Z{~uB( z_=o=gKuhVpy&`}-c&f%**M&(|;2iy+nZy2Su}GOAH_GT9z`!ogwn$+Bi&1ZhtPF zVS&LO5#Bq}cew$kvE7*t8W^{{7&7WaF{upy0mj*K&xbnXvSP9V$6m6cesHGC!&Us36ld9f*Pn8gbJb3`PPT|ZG zri2?uIu09i>6Y-0-8sREOU?WaGke0+rHPb^sp;*E{Z5P7kFJ@RiLZTO`cN2mRR#Nz zxjJ##Nk+Uy-2N-8K_@576L(kJ>$UhP+)|w!SQHkkz+e62*hpzyfmY4eQLZtZUhEdG zIZluDOoPDlt5#iw+2epC3vEATfok^?SDT`TzBwtgKjY z>ZImbO)i~T=IYAfw$3j2mF1Cj*_yqK(qw(U^r-!gcUKvWQrDG@E{lEyWDWOPtA9v{ z5($&mxw{nZWo_Ov??S#Bo1;+YwVfx%M23|o$24Hdf^&4hQeV=Cffa5MMYOu2NZLSC zQ4UxWvn+8%YVGDg(Y*1iHbUyT^=gP*COcE~QkU|&6_3h z-GOS6-@o9+Vd(D7x#NYt{Bvx2`P&ZuCx#^l0bR89Hr6Vm<||c3Waq(KO0eZ zH(|B;X}{FaZ8_4yyWLdK!G_q9AYZcoOY}Jlf3R;%oR5dwR(rk7NqyF%{r>F4s^>li z`R~-fh>YIAC1?%!O?mxLx!dq*=%IRCj;vXX628aZ;+^M0CDFUY0Rc<1P5e(OVX8n- z*1UOrX{J}b2N)6m5&_xw^WSN=Lp$I$T>f8K6|J_bj%ZsIYKNs1$TFt!RuCWF48;98`7D(XPVnk+~~i=U$} zR#;!ZRo4eVqlDxjDeE^3+8)bzG_o~VRwdxqvD^HNh#@o>1My$0*Y_`wfQ$y}az|Uz zM47oEaYNTH?J^w9EVNnvfmmbV+GHDe)Kf;$^@6?9DrSHnk@*{PuJ>ra|9KO!qQ-Fp zNNcZB4ZdAI>jEh@3Mt(E1Fy!^gH-Zx6&lr8%=duIgI^~gC{Q;4yoe;#F7B`w9daIe z{(I;y)=)anc;C;)#P`8H6~iAG_q-4rPJb(6rn4pjclGi6$_L79sFAj#CTv;t@94S6 zz`Id7?k!#3JItckcwOf?sj=Xr6oKvAyt1=jiWN@XBFoW6dw_+c9O9x2i4or?*~8f& zm<>yzc6Aw_E-gsGAa`6`cjK~k^TJt(^`E1^_h)5(8)1kzAsBxjd4+!hJ&&T!qklDN z`?j#za=(^wRCvEI75uE^K#IBe5!5g2XW}|lUqAmdmIQb7xJtP}G9^(=!V`ZS_7#RZ zjXq#Cekw>fE*YS-?Qea|7~H?)bbLK;G&(~%!B@H`o#LYAuu6;-c~jFfjY7GKZ|9~{ zE!`!d@@rhY_@5fDbuQ8gRI~R_vs4%fR5$?yot4hDPJ28k_Wzmc^0yzwMr#*(OXq@g zRUgQmJA?E>3GO=5N8iWIfBP{&QM%!Oa*iwTlbd0Fbm*QCX>oRb*2XfG-=Bz1Qz0$v zn#X!2C!LqE601LEMq;X7`P*5nurdKZAmmsI-zZ|rTH;AFxNDyZ_#hN2m4W(|YB64E z470#yh$;8QzsdA;6vbNvc95HLvZvyT4{C>F(fwy&izvNDuvfO1Z;`Ss#4a_c6pm*{0t|_i9z{@84^lffQa5zG4<{(+p5-S z^>lG-^GJR#V>;5f3~y%n=`U_jBp~WgB0cp;Lx5VZYPYCH&(evw#}AYRlGJ>vcoeVr z3%#-QUBgeH!GB>XLw;rT&oMI9ynP;leDwh4O2uM!oIWo&Qxk{^9#nX&^3GJ z(U~5{S9aw@yHH^yuQGso=~*JOC9Zdi6(TFP+IddkfK5Eu9q;+F9?PPNAe-O;;P_Aa zPJ{Dqa1gQb%dZ|0I{#B0(z|r(qq!A4CxlW92-LwXFjYfOzAT1DDK`9rm4AB~l&oVv zi6_{)M9L1%JP}i52y@`!T9RB~!CRel53wl?amNHqcuElq%hn)|#BPvW5_m51RVb|? zXQ&B*eAD}}QamG>o{?i~usG5X6IDa3+Xkb8w%7;C8|Cln70biA+ZH}fxkH^Wei$vZPnuqIT!Mmy26;mLfU z3Bbv4M^vvMlz-I+46=g>0^wWkmA!hlYj*I!%it^x9Kx(d{L|+L{rW?Y#hLHWJfd5X z>B=Swk8=;mRtIz}Hr3NE_garb5W*!7fnNM{+m2_>!cHZZlNEeof~7M#FBEQ+f&gJ3 z^zv*t?XV)jQi%0-Ra|ISiW-fx)DsK-> zI}Fv%uee$#-1PKJwr=lU89eh=M{>Nk7IlJ)U33U)lLW+OOU%A|9-Lf;`@c*+vX{W2 z{{?0QoP!#?8=5%yL=fP%iF+?n$0#iHz`P;1{Ra6iwr=V7v^8;NoLJ5)QxIyIx>ur?lMwV=mBo0BA?28kMow8SX=Ax5L%S~x4+EQi#Ig`(ht%)D(F#Pa!)SiHy&PvUp32=VtAsR|6|NZR@jkad zX^aEgojf9(-)rNOZ=NVA&a;6Cljkb=H-bY9m^_I)`pBHB16QW)sU27zF13ypefeATJc1Wzy39GrKF{UntHsIU59AdXp?j{eh2R)IbU&omd zk6(qzvE@hve1yM6dgkbz>5HDR&MD~yi$yymQ}?b;RfL$N-#l7(u?T^Wlu+Q;fo|jd zBe^jzGMHY(2=5l?bEIh+zgE$1TEQ&!p3fH;AW`P?W5Hkj3eJnT>dqg! zf~}A*SZU5HHDCbdywQ^l_PqssHRlrySYN=`hAv2sVrtcF!`kyEu%XeeRUTJU7vB%h zY0*)N$mLo6d=tJfe}IPIeiH~>AKwCpkn&WEfYgl?3anq5#-F$6$v-(G_j0*S9mdsn zg@ek_ut4(?+JP_9-n`YqoD(gAz+Ttm1#t za96D}oQR(o=e8wwes19_(p4g(A1vSGwPAp~Hh3hh!fc>u{1E^+^}AzwilFVf6^vbL zc&NnRs`u)N-P|Cu4()yTiuE{j_V&=K?iP!IUBf~ei2}~_KBvUAlXa;R#Wl`gOBtJ$Y5(L))@`riLB)v*r>9*8VfmQt<72?+fdwP{BA@?_qo>mN7yzICUCaeG(+>Rb~8wg~6U(P)NlDLuhQgjbC}=)HuZgC}0Z-qLX4lJ7^)8~!!*qP0=~`Y_(A z{@15*ZevZSI^s|OnpCeCwLXf#tgbq8y~R*GB5anmZ;_N!+-3>!wu@NBFCNJ$#y?{? zMI!?s*=_xA;V&aX)ROxzVW8*de+&P#2zucA|8mksdgCXBsZ*TM=%{L1Tk5LB_*^@&S?O=ot{h)1xRVSn27&Tk8>rF|6ruzYb;Nq) z;qvlmrP^SL$mhe4Ai)xpl6Wx&y;z8o!7-+6$qj;ZLXvfR71I@w(R|6lyuP6v-lP&r z@KK-TEmGQfMmk1c0^fd7!^si}T%b5a2%>T-Drh|^Cf z$}qxIv@zxbmJ#qjK6Q_aGDe{ciVT20V1lW52Xs!}x(4_j)sUXYdm4 zwYC9FOa;X*c*LxL;xE5ov?|?^7gWXyALy_D2GvDo-8%0-Y%9TkkO_Tcr2qIUg3(OC z%3wt?hyn*+e^z%(~2#!2dvMFa$mzgwk1I1X;naFMjXSbnmZ!zd%7u)=cgi z*0&@Scrl&BDfU(9Pks8#;!~v~r7~DN{G6WE&_;7i{{a*?oiCao(l%2ruxX0fAt69e2vLgL%Mf_)!*(Tz zNKW>sW@YB2vBfP>C&L|-pq)Uq^PsG_THu;8iEcqafO?0k$IQp1KyWyOoTxwmKvlc^ zO9$%Tt8;%qQxwy5;CsJ)V}a7I6}SvQ%0_H53Kcqx=m83fIzpLSGgfVe^SPdc*xPdciI5dg}#{Etv$e<)gGD=qm0v=!aN@*?$s zLhzD%4w{vf-g6FHQjG9XyC+4=bewb?Mz%!u8%oP{G9{UJFTLTcCi3R(=Nm&t&Sl(? zr>pj?=ECdDVa}-g%`LF^1EY@>7d}%VhYpKFSDPH)D(zB+gPe1m7E}W>TiW=8L0&(D&YG=0<&7G4Bu{;-#Ud;-1%Ta9V}U6fyK1YX z`Rq|i-X(loPZ)M$H%m@j7bGx>uj~y=0)!t#dc|c}+hT%~Sq>fefez0Ul|jOJHta~u zx7*mV6~Jpt(FkY(pQN91>aFk7VS%Sa^oLaq$*)W?fy`xuFJgH<2s=!Rz}_(qdmdF~ zlr2f=)q_vpi8X;Jq>5^$GweJ{iS`Khw2f)fsvKpgh;U~13a+9 zfaw}UuGiBy;q10pI^Avb#X3D=k_r(T{N;-xA)OM}2Py5L##<96NU*Sr7GQqhfrPej z?;B$Bt_sTxuSAPXfTSC{zr?@$$0iHxC@z*5F52j*PG87hh`0w3At8jPf*rjNE~_Gj z2)fjeUFJ(#l9uWuw&5#@13|AQ1;pdA?EL4YKq0JDR5T8I?aWGxI=J9}vdyH;gQ@iE z>+UnC2iwT0f80-VuE^bY!N@(}9?bOXyy%rTqSNDN4rO4Zt#(kZwcGgTp&3((F+nsd ze~B)%K6oP4WX_w1>|QImC;9q zy}4p+s%^Too2(gE>yo%+yY#F{)phtmNqsJPVQQ0lGR|H9q>aA&AtU4M+EZ%`xvQLb zbigBOc`dL}&j3er?EOI`!W)N#>+uwp_!h^5FspaEylq!e(FPY-6T3~WeNmZ<$?Y6y z-!bM1kD7ZF8xl+Pi6fiv1?)q%`aNxn#pK%)ct||L&Xnf8Gu&3g;Of{B8Pt=u`e+Mn zA(DmU#3cF#Nr7W;X0V4ksFHMcNDAf4G&D8VjLeZ^|5-f$>_|71>P3xuu)?4NJed*w z6GR_RB5HQLzT(h+`Y?-3esxeue{-Q%b+!&o>IJ!#=}#_&q+hwJga>fkt(*(WdoN5vSta z#$mMN6}YzYRpaBZ)j)EL91-oL1(|d(>%UclsTUOyXyWM&(hNqLwqtn`!E>HJM{ zh>M~xa1@*U^cwx-k5QjePr5=B6u*jpJ)C0{C?f7Yga+I^4$TleyX$x&jm9z@c!?cC z<2kY7)p^+W{AXd@l1C09_yB*TG|yzb96BYk z8Wpj81vB>zcR+qM4m~A44w1n7$fxB$-?MV}S?Fh}c_|2FXg`cZ?750i;Cdl-_nGK# zta)h)6!*AsQ-z8caSh)%5JY>_yCeJs~FpAzdY8 zF@SU_hN#~ip5I;UACFzx1v0yf{j97l&)e-=`d#1Kp6A(Kj&HC!%vK!wEdK3HFJ?|6 za;WwUczZ+&<$g!Td^48@lJtfW@doXL#jY6)dK_RDCQAZ}l&OdD+?Yl5-bqpsHZR^( zF{u_cR(x>u(c4i5f(^8!h6CV0#ZxRFhLlunWiGDLO6yoRb(wV<(P^8=fOU7Hp{AHE z;Yg%kg@6&tL3Z*IrbkDeQ$%rbalVP39D@LVrC2xSavnTp%PorXPf1DVzHyqjDsDnS zL=mv0a2s60bHKGQM)ue>npH0SCp;XtZFUzm?R-x7D*(PxMmuJ4J*K2eY&ebe0yQHe zVG&*qe{pot{PM^xQv`H_rn2FcYOrEN+I#uX^1`Id%J$;Hi2cNCU!0Hlc0TjxLzkss zHxmC;hQBu5U4J0XflWM;{uH`_47Sg)QyZ{8D&T0;bdc3{^^<=q7P?C_2E-}PQn>*= z2T5q^J|Q_2+x%Qt`i3m6=6V$)BxIx{2KAFkMb#q`iMCD|L>+}_dYVA$wBr1Zr}YOF z^MMGO@PHGGh>g|^yF`PvvtDwN@kxt?ClLcG<+murHMz1Asj!$l=b)4{d}SqOJ}>Y< zSeAyP@ZEcpx`ayIdp>{--UVLYC_cZZURh_!4u2(*#x@Tk(QJa}4BqqZ$6%LhF-HB~ zAcc?$I6KP}IxANcAteEBX$Ys?T=JB|Fnd3*UAO0mYAXCgWf~?7Z_G7G5`H4;S^QKK zG*2l75vI@DHQC*es>6&|r^#RHKRQ5rwv_l4`!(!I3%)Z$P1fnZ8N@27zyg}54ElO%SjQ_4uujX)4ta@Gz2)_>4b~vX|rhRIH-eqdD zL)xaEpW3K|a>daQRRR*_$W>rWOsW-IE4VQl3L$3}=-PFU)s@XG&9+DFivH-;2&w~$ES_nJZJH!?1mO!CnP)Jb{mW9=f`bDpo^PI6i4|YurK)Q1 z^Ys1oHRdr!$X4RuyR%kgp!a*Lz*_AAoJ$EVAdsNCoPA^VZE1pGO@D3UStACE+%vs6 z$io@E>DmB|3VV~GbOt2oc+K;t zdn3gaFvYz;vRN-+2+Qk{8|O}e86nVck)fZn3sg$j#dLVham{yGkc$I#!HF7mRS%f* z!+NdzG49K(qaO^SBlp@K@D?|^rAq;8{*@kRc4sYSNQmoy7@_RS_ksWl2T_38h2A)# ziU2WXWD03(NqS&Mu*?0-iK8X_Z3w`}c7MPv0qZ7iM|L3xdTnR{y!7{#82$}uJCiGT zqa=8<9L05hu6 z1N+2n7OzT{NEf?gS@eq7@buCDFe9mAxY%THo^b@BHckKK>jg6{@)>n z43cPs%$Qi0iwyZ+{C491>FRu5+6baJ{&XXXC@Sp+b!QE|{7_d?lm5K=B z)myKEcxjFm74+drF|JCYcxdY%ASig#YoRBRUV7An7f-%rqj%PHECbxh#5476cEq@NQL?dI6gUqvS@w zq!WmD(aR0{NxItAZCKDCVw=Zu{9WGDu^i?2g zLerPiOU*HSaXg^3CdOX^F6c9MiHINP339N%)a96`^Z-c#&EogcxMSYo0Cb4{-}q1( zRrJine`P|6WRkm8u4Ja1QRYq$AR>b7tugd#EsT-VmXN-t!TYjZy}i!uKi6$u>EJ?w zvdHZg+hp+5ree?>fdJAX)5#Wtm#2M-{~2jfX2{G`)?D6UD1MevdeeU;;HCi}AtJr( SGW6ptSs!X7{rG*o_g?|vpSEZK diff --git a/gradle/wrapper/gradle-wrapper.properties b/gradle/wrapper/gradle-wrapper.properties index a80b22ce5..b82aa23a4 100644 --- a/gradle/wrapper/gradle-wrapper.properties +++ b/gradle/wrapper/gradle-wrapper.properties @@ -1,6 +1,6 @@ distributionBase=GRADLE_USER_HOME distributionPath=wrapper/dists -distributionUrl=https\://services.gradle.org/distributions/gradle-8.6-bin.zip +distributionUrl=https\://services.gradle.org/distributions/gradle-8.7-bin.zip networkTimeout=10000 validateDistributionUrl=true zipStoreBase=GRADLE_USER_HOME From 2aab5936a60f7b4386348bbfcd88732b0c0dfdae Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sat, 23 Mar 2024 12:26:46 -0700 Subject: [PATCH 122/123] Update dependency mkdocs-material to v9.5.15 (#1303) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Update | Change | |---|---|---| | [mkdocs-material](https://togithub.com/squidfunk/mkdocs-material) | patch | `==9.5.14` -> `==9.5.15` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Release Notes
    squidfunk/mkdocs-material (mkdocs-material) ### [`v9.5.15`](https://togithub.com/squidfunk/mkdocs-material/releases/tag/9.5.15): mkdocs-material-9.5.15 [Compare Source](https://togithub.com/squidfunk/mkdocs-material/compare/9.5.14...9.5.15) - Reverted fix for transparent iframes (9.5.14) - Fixed [#​6929](https://togithub.com/squidfunk/mkdocs-material/issues/6929): Interference of social plugin and auto dark mode - Fixed [#​6938](https://togithub.com/squidfunk/mkdocs-material/issues/6938): Giscus shows dark background in light mode (9.5.14 regression)
    --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --- .github/workflows/mkdocs-requirements.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/.github/workflows/mkdocs-requirements.txt b/.github/workflows/mkdocs-requirements.txt index 4fca6df5c..d1fcfa73f 100644 --- a/.github/workflows/mkdocs-requirements.txt +++ b/.github/workflows/mkdocs-requirements.txt @@ -7,7 +7,7 @@ Markdown==3.6 MarkupSafe==2.1.5 mkdocs==1.5.3 mkdocs-macros-plugin==1.0.5 -mkdocs-material==9.5.14 +mkdocs-material==9.5.15 mkdocs-material-extensions==1.3.1 Pygments==2.17.2 pymdown-extensions==10.7.1 From 98410c0b6e1542ad546377188f9c2aaabba157b1 Mon Sep 17 00:00:00 2001 From: OSS-Bot <93565511+slack-oss-bot@users.noreply.github.com> Date: Sun, 24 Mar 2024 11:31:52 -0700 Subject: [PATCH 123/123] Update dependency androidx.compose.compiler:compiler to v1.5.11 (#1300) MIME-Version: 1.0 Content-Type: text/plain; charset=UTF-8 Content-Transfer-Encoding: 8bit This PR contains the following updates: | Package | Type | Update | Change | |---|---|---|---| | [androidx.compose.compiler:compiler](https://developer.android.com/jetpack/androidx/releases/compose-compiler#1.5.11) ([source](https://cs.android.com/androidx/platform/frameworks/support)) | dependencies | patch | `1.5.10` -> `1.5.11` | --- > [!WARNING] > Some dependencies could not be looked up. Check the Dependency Dashboard for more information. --- ### Configuration 📅 **Schedule**: Branch creation - At any time (no schedule defined), Automerge - At any time (no schedule defined). 🚦 **Automerge**: Enabled. ♻ **Rebasing**: Whenever PR becomes conflicted, or you tick the rebase/retry checkbox. 🔕 **Ignore**: Close this PR and you won't be reminded about this update again. --- - [ ] If you want to rebase/retry this PR, check this box --- This PR has been generated by [Renovate Bot](https://togithub.com/renovatebot/renovate). --------- Co-authored-by: Zac Sweers --- gradle/libs.versions.toml | 4 ++-- 1 file changed, 2 insertions(+), 2 deletions(-) diff --git a/gradle/libs.versions.toml b/gradle/libs.versions.toml index 1f78122c4..45587579b 100644 --- a/gradle/libs.versions.toml +++ b/gradle/libs.versions.toml @@ -14,8 +14,8 @@ coil3 = "3.0.0-alpha06" compose-animation = "1.6.4" # Pre-release versions for testing Kotlin previews can be found here # https://androidx.dev/storage/compose-compiler/repository -compose-compiler-version = "1.5.10" -compose-compiler-kotlinVersion = "1.9.22" +compose-compiler-version = "1.5.11" +compose-compiler-kotlinVersion = "1.9.23" compose-foundation = "1.6.4" compose-material = "1.6.4" compose-material3 = "1.2.1"