В этой статье вспоминаем, как вообще работают лейауты в Compose, обсуждаем изменение лейаута отдельного компонента, смотрим, как создавать кастомные Layout и LazyLayout и учимся откладывать композицию. И всё это на примерах, в том числе из дизайн-системы Авито.
Layout { measurables, constraints ->var placeables = measurables.map { it.measure(constraints) }if (placeables.sumOf { it.width } < constraints.maxWidth) {placeables = measurables.mapIndexed { i, measurable ->val fixedWidthConstraints = calculateConstraints(...)measurable.measure(fixedWidthConstraints) // IllegalStateException: measure() may not be called multiple times on the same Measurable}}...}
MultiMeasureLayout { measurables, constraints ->var placeables = ... // first measureif (placeables.sumOf { it.width } < constraints.maxWidth) {// second measure}...}
@Deprecated("...This API should be avoided whenever possible.")
interface Measurable : IntrinsicMeasurableinterface IntrinsicMeasurable {fun minIntrinsicWidth(height: Int): Intfun maxIntrinsicWidth(height: Int): Intfun minIntrinsicHeight(width: Int): Intfun maxIntrinsicHeight(width: Int): Int}
Это ровно то, что нам нужно. miInstrinsicWidth — это минимальная ширина, которая нужна каждому Chip, чтобы отобразить весь контент. А с помощью нее можно найти финальную ширину — с учетом коэффициента, на который нужно умножить ширину Chip.
Layout { measurables, constraints ->val widths = measurables.map {it.minIntrinsicWidth(constraints.maxHeight)}val widthCoef = constraints.maxWidth / widths.sumOf { it.width }val placeables = measurables.mapIndexed { i, measurable ->val fixedWidthConstraints = calculateConstraints(widths[i], widthCoef)measurable.measure(fixedWidthConstraints)}...}
Layout(object: MeasurePolicy {override fun IntrinsicMeasureScope.minIntrinsicWidth(measurables: List<IntrinsicMeasurable>,height: Int): Int {TODO("Not yet implemented")}...})
@Composablefun Tab() {Row {Text()Text()}}
@Composablefun SubcomposeLayout(measurePolicy: SubcomposeMeasureScope.(Constraints) -> MeasureResult)
interface SubcomposeMeasureScope : MeasureScope {fun subcompose(slotId: Any?,content: @Composable () -> Unit,):List<Measurable>}
val tabMeasurables = subcompose(TabSlots.Tabs) { tabs() }val tabPlaceables = tabMeasurables.map { it.measure(constraints)}
tabPlaceables.forEachIndexed { index, placeable ->placeable.placeRelative(x, y)
var selectedTabPosition = SelectedTabPosition(0, 0)…if (index == selectedTabIndex) selectedTabPosition = getTabPosition(...)
subcompose(TabSlots.Indicator) { indicator(selectedTabPosition) }.first().measure(constraints).placeRelative(0, 0)
val textMeasurer = rememberTextMeasurer()...val tabTextWidth = textMeasurer.measure(text = tabText,style = textStyle,).size.width
SubcomposeLayout { constraints ->val tabMeasurables = subcompose(TabSlots.Tabs) { tabs() }val tabPlaceables = tabMeasurables.map { it.measure(constraints) }...layout(width, height) {var selectedTabPosition = SelectedTabPosition(0, 0)tabPlaceables.forEachIndexed { index, placeable ->placeable.placeRelative(x, y)if (index == selectedTabIndex) selectedTabPosition = getTabPosition(...)}subcompose(TabSlots.Indicator) { indicator(selectedTabPosition) }.first().measure(constraints).placeRelative(0, 0)}}
interface SubcomposeSlotReusePolicy {fun getSlotsToRetain(slotIds: SlotIdsSet)fun areCompatible(slotId: Any?, reusableSlotId: Any?): Boolean}
Допустим, мы хотим сделать кастомный лейаут со списком колбасок (таймлайн), который скроллится во все стороны.
@Composablefun LazyLayout(itemProvider: LazyLayoutItemProvider,prefetchState: LazyLayoutPrefetchState?,measurePolicy: LazyLayoutMeasureScope.(Constraints) -> MeasureResult,...)
data class ItemState(val x: Int,val y: Int,val color: Color,...)
items(state.items) { item: ItemState ->ItemComposable(item)}
class CustomLazyLayoutScope {val items: Listfun items(items: List, itemContent: (ItemState) -> Unit) {items.forEach { _items.add(Item(it, itemContent)) }}}
interface LazyLayoutItemProvider {val itemCount: Int // обязательно для переопределения@Composablefun Item(index: Int, key: Any) // обязательно для переопределенияfun getContentType(index: Int): Any?fun getKey(index: Int): Anyfun getIndex(key: Any): Int}
class ItemProvider(private val itemsState: List<Item>,) : LazyLayoutItemProvider {override val itemCountget() = itemsState.size@Composableoverride fun Item(index: Int, key: Any) {val item = itemsState.getOrNull(index)item?.content?.invoke(item.item)}}
val itemProvider = rememberItemProvider(content)LazyLayout(itemProvider = itemProvider,)}
modifier = Modifier.pointerInput(Unit) {detectDragGestures { change, dragAmount ->change.consume()...}},
val state = rememberLazyLayoutState()state.onDrag(dragAmount)
@Composablefun CustomLazyLayout(content: CustomLazyListScope.() -> Unit,) {val itemProvider = rememberItemProvider(content)val state = rememberLazyLayoutState()LazyLayout(modifier = Modifier.pointerInput(Unit) {detectDragGestures { change, dragAmount ->change.consume()state.onDrag(dragAmount)}},itemProvider = itemProvider,)}
@Stablesealed interface LazyLayoutMeasureScope : MeasureScope {fun measure(index: Int, constraints: Constraints): List<Placeable>}
val boundaries = getBoundaries(constraints,state.offsetState.value)val indexes = itemProvider.getItemIndexesInRange(boundaries)
val indexesWithPlaceables = indexes.associateWith {measure(it, Constraints())}
layout(constraints.maxWidth, constraints.maxHeight) {indexesWithPlaceables.forEach { (index, placeables) ->val item = itemProvider.getItem(index)placeable.placeRelative(item.x, item.y)}}
LazyLayout(...) { constraints ->val boundaries = getBoundaries(constraints, state.offsetState.value)val indexes = itemProvider.getItemIndexesInRange(boundaries)val indexesWithPlaceables = indexes.associateWith {measure(it, Constraints())}layout(constraints.maxWidth, constraints.maxHeight) {indexesWithPlaceables.forEach { (index, placeables) ->val item = itemProvider.getItem(index)placeable.placeRelative(item.x, item.y)}}}
@ExperimentalFoundationApiclass LazyLayoutPrefetchState {fun schedulePrefetch(index: Int, constraints: Constraints): PrefetchHandleinterface PrefetchHandle {fun cancel()}}