Compose에는 많은 내장 애니메이션 메커니즘이 있으며, 어떤 메커니즘을 선택해야 할지 파악하기가 쉽지 않을 수 있습니다. 다음은 일반적인 애니메이션 사용 사례 목록입니다. 사용 가능한 다양한 API 옵션에 관한 자세한 내용은 전체 Compose 애니메이션 문서를 참고하세요.
공통 구성 가능한 속성 애니메이션 처리
Compose는 개발자가 자주 사용하는 여러 문제를 해결할 수 있는 편리한 API를 제공합니다. 살펴보겠습니다. 이 섹션에서는 일반 컴포저블의 속성입니다.
나타나거나 사라지는 애니메이션
를 통해 개인정보처리방침을 정의할 수 있습니다.AnimatedVisibility
를 사용하여 컴포저블을 숨기거나 표시합니다. 내부 어린이
AnimatedVisibility
님이 직접 Modifier.animateEnterExit()
을(를) 사용할 수 있습니다.
또는 전환을 종료할 수 있습니다.
var visible by remember { mutableStateOf(true) } // Animated visibility will eventually remove the item from the composition once the animation has finished. AnimatedVisibility(visible) { // your composable here // ... }
AnimatedVisibility
의 들어가기 및 나가기 매개변수를 사용하면
컴포저블이 표시되었다가 사라질 때 동작합니다. 자세한 내용은 전체 문서를 참고하세요.
컴포저블의 공개 상태를 애니메이션화하는 또 다른 옵션은
animateFloatAsState
를 사용하여 시간 경과에 따른 알파 버전을 얻습니다.
var visible by remember { mutableStateOf(true) } val animatedAlpha by animateFloatAsState( targetValue = if (visible) 1.0f else 0f, label = "alpha" ) Box( modifier = Modifier .size(200.dp) .graphicsLayer { alpha = animatedAlpha } .clip(RoundedCornerShape(8.dp)) .background(colorGreen) .align(Alignment.TopCenter) ) { }
하지만 알파를 변경하면 컴포저블이 유지되고
구성되고 계속해서 배치되는 공간을 차지합니다. 이로 인해 스크린 리더와 기타 접근성 메커니즘에서 화면의 항목을 계속 고려할 수 있습니다. 반면에 AnimatedVisibility
는 결국
음악작품에서 항목을 선택합니다.
배경 색상에 애니메이션 적용
를 통해 개인정보처리방침을 정의할 수 있습니다.
val animatedColor by animateColorAsState( if (animateBackgroundColor) colorGreen else colorBlue, label = "color" ) Column( modifier = Modifier.drawBehind { drawRect(animatedColor) } ) { // your composable here }
이 옵션은 Modifier.background()
를 사용하는 것보다 성능이 우수합니다.
Modifier.background()
는 원샷 색상 설정에는 허용되지만
시간이 지남에 따라 색상을 애니메이션으로 표시하면 이전보다 더 많은 리컴포지션이
있습니다.
배경 색상을 무한으로 애니메이션 처리하려면 애니메이션 반복 섹션을 참고하세요.
컴포저블의 크기에 애니메이션 적용
를 통해 개인정보처리방침을 정의할 수 있습니다.Compose를 사용하면 여러 가지 방법으로 컴포저블의 크기에 애니메이션을 적용할 수 있습니다. 사용
animateContentSize()
: 컴포저블 크기 변경 간의 애니메이션
예를 들어 1줄에서 여러 줄로 확장할 수 있는 텍스트가 포함된 상자가 있는 경우 Modifier.animateContentSize()
를 사용하여 더 원활한 전환을 실행할 수 있습니다.
var expanded by remember { mutableStateOf(false) } Box( modifier = Modifier .background(colorBlue) .animateContentSize() .height(if (expanded) 400.dp else 200.dp) .fillMaxWidth() .clickable( interactionSource = remember { MutableInteractionSource() }, indication = null ) { expanded = !expanded } ) { }
SizeTransform
와 함께 AnimatedContent
를 사용하여 크기 변경이 이루어지는 방식을 설명할 수도 있습니다.
컴포저블 위치에 애니메이션 적용
컴포저블의 위치에 애니메이션을 적용하려면 Modifier.offset{ }
와 animateIntOffsetAsState()
를 함께 사용합니다.
var moved by remember { mutableStateOf(false) } val pxToMove = with(LocalDensity.current) { 100.dp.toPx().roundToInt() } val offset by animateIntOffsetAsState( targetValue = if (moved) { IntOffset(pxToMove, pxToMove) } else { IntOffset.Zero }, label = "offset" ) Box( modifier = Modifier .offset { offset } .background(colorBlue) .size(100.dp) .clickable( interactionSource = remember { MutableInteractionSource() }, indication = null ) { moved = !moved } )
컴포저블이 다른 클래스 위에 또는 아래에 그려지지 않게 하려는 경우
컴포저블이 위치나 크기에 애니메이션을 적용할 때 Modifier.layout{ }
를 사용합니다. 이
수정자는 크기 및 위치 변경사항을 상위 요소에 전파하여
다른 아이들도 있습니다.
예를 들어 Column
내에서 Box
를 이동하고 Box
가 이동할 때 다른 하위 요소를 이동해야 하는 경우 다음과 같이 Modifier.layout{ }
에 오프셋 정보를 포함합니다.
var toggled by remember { mutableStateOf(false) } val interactionSource = remember { MutableInteractionSource() } Column( modifier = Modifier .padding(16.dp) .fillMaxSize() .clickable(indication = null, interactionSource = interactionSource) { toggled = !toggled } ) { val offsetTarget = if (toggled) { IntOffset(150, 150) } else { IntOffset.Zero } val offset = animateIntOffsetAsState( targetValue = offsetTarget, label = "offset" ) Box( modifier = Modifier .size(100.dp) .background(colorBlue) ) Box( modifier = Modifier .layout { measurable, constraints -> val offsetValue = if (isLookingAhead) offsetTarget else offset.value val placeable = measurable.measure(constraints) layout(placeable.width + offsetValue.x, placeable.height + offsetValue.y) { placeable.placeRelative(offsetValue) } } .size(100.dp) .background(colorGreen) ) Box( modifier = Modifier .size(100.dp) .background(colorBlue) ) }
컴포저블의 패딩 애니메이션
를 통해 개인정보처리방침을 정의할 수 있습니다.컴포저블의 패딩에 애니메이션을 적용하려면 animateDpAsState
와 Modifier.padding()
를 결합하여 사용합니다.
var toggled by remember { mutableStateOf(false) } val animatedPadding by animateDpAsState( if (toggled) { 0.dp } else { 20.dp }, label = "padding" ) Box( modifier = Modifier .aspectRatio(1f) .fillMaxSize() .padding(animatedPadding) .background(Color(0xff53D9A1)) .clickable( interactionSource = remember { MutableInteractionSource() }, indication = null ) { toggled = !toggled } )
컴포저블의 엘리베이션 애니메이션
컴포저블의 고도에 애니메이션을 적용하려면 animateDpAsState
를 다음과 함께 사용합니다.
Modifier.graphicsLayer{ }
입니다. 일회성 고도 변경의 경우 다음을 사용합니다.
Modifier.shadow()
그림자를 애니메이션 처리하는 경우
Modifier.graphicsLayer{ }
수정자는 성능이 더 뛰어난 옵션입니다.
val mutableInteractionSource = remember { MutableInteractionSource() } val pressed = mutableInteractionSource.collectIsPressedAsState() val elevation = animateDpAsState( targetValue = if (pressed.value) { 32.dp } else { 8.dp }, label = "elevation" ) Box( modifier = Modifier .size(100.dp) .align(Alignment.Center) .graphicsLayer { this.shadowElevation = elevation.value.toPx() } .clickable(interactionSource = mutableInteractionSource, indication = null) { } .background(colorGreen) ) { }
또는 Card
컴포저블을 사용하고 고도 속성을 다음과 같이 설정합니다.
값이 다를 수 있습니다
텍스트 크기, 변환 또는 회전 애니메이션
텍스트의 크기 조정, 변환 또는 회전을 애니메이션 처리할 때는 TextStyle
의 textMotion
매개변수를 TextMotion.Animated
로 설정합니다. 이렇게 하면
텍스트 애니메이션 간 전환입니다. Modifier.graphicsLayer{ }
를 사용하여 텍스트를 변환, 회전 또는 크기 조정합니다.
val infiniteTransition = rememberInfiniteTransition(label = "infinite transition") val scale by infiniteTransition.animateFloat( initialValue = 1f, targetValue = 8f, animationSpec = infiniteRepeatable(tween(1000), RepeatMode.Reverse), label = "scale" ) Box(modifier = Modifier.fillMaxSize()) { Text( text = "Hello", modifier = Modifier .graphicsLayer { scaleX = scale scaleY = scale transformOrigin = TransformOrigin.Center } .align(Alignment.Center), // Text composable does not take TextMotion as a parameter. // Provide it via style argument but make sure that we are copying from current theme style = LocalTextStyle.current.copy(textMotion = TextMotion.Animated) ) }
텍스트 색상 애니메이션 처리
를 통해 개인정보처리방침을 정의할 수 있습니다.텍스트 색상을 애니메이션으로 표시하려면 BasicText
컴포저블에서 color
람다를 사용합니다.
val infiniteTransition = rememberInfiniteTransition(label = "infinite transition") val animatedColor by infiniteTransition.animateColor( initialValue = Color(0xFF60DDAD), targetValue = Color(0xFF4285F4), animationSpec = infiniteRepeatable(tween(1000), RepeatMode.Reverse), label = "color" ) BasicText( text = "Hello Compose", color = { animatedColor }, // ... )
다양한 콘텐츠 유형 간 전환
를 통해 개인정보처리방침을 정의할 수 있습니다.다음과 같은 경우 AnimatedContent
를 사용하여 여러 컴포저블 간에 애니메이션을 적용합니다.
컴포저블 간에 표준 페이드를 적용하려면 Crossfade
를 사용하세요.
var state by remember { mutableStateOf(UiState.Loading) } AnimatedContent( state, transitionSpec = { fadeIn( animationSpec = tween(3000) ) togetherWith fadeOut(animationSpec = tween(3000)) }, modifier = Modifier.clickable( interactionSource = remember { MutableInteractionSource() }, indication = null ) { state = when (state) { UiState.Loading -> UiState.Loaded UiState.Loaded -> UiState.Error UiState.Error -> UiState.Loading } }, label = "Animated Content" ) { targetState -> when (targetState) { UiState.Loading -> { LoadingScreen() } UiState.Loaded -> { LoadedScreen() } UiState.Error -> { ErrorScreen() } } }
AnimatedContent
은(는) 다양한 종류의 입력 및
사용할 수 있습니다. 자세한 내용은
AnimatedContent
또는 이 블로그 게시물을 읽어보세요.
AnimatedContent
다른 목적지로 이동하는 동안 애니메이션 처리
를 통해 개인정보처리방침을 정의할 수 있습니다.navigation-compose 아티팩트를 사용할 때 컴포저블 간의 전환을 애니메이션 처리하려면 컴포저블에서 enterTransition
및 exitTransition
를 지정합니다. 기본 애니메이션을 다음과 같이 설정할 수도 있습니다.
최상위 수준 NavHost
의 모든 대상에 사용됩니다.
val navController = rememberNavController() NavHost( navController = navController, startDestination = "landing", enterTransition = { EnterTransition.None }, exitTransition = { ExitTransition.None } ) { composable("landing") { ScreenLanding( // ... ) } composable( "detail/{photoUrl}", arguments = listOf(navArgument("photoUrl") { type = NavType.StringType }), enterTransition = { fadeIn( animationSpec = tween( 300, easing = LinearEasing ) ) + slideIntoContainer( animationSpec = tween(300, easing = EaseIn), towards = AnimatedContentTransitionScope.SlideDirection.Start ) }, exitTransition = { fadeOut( animationSpec = tween( 300, easing = LinearEasing ) ) + slideOutOfContainer( animationSpec = tween(300, easing = EaseOut), towards = AnimatedContentTransitionScope.SlideDirection.End ) } ) { backStackEntry -> ScreenDetails( // ... ) } }
다양한 종류의 들어가기 및 나가기 전환이 적용됩니다. 자세히 알아보려면 문서를 참조하세요.
애니메이션 반복
infiniteRepeatable
animationSpec
와 함께 rememberInfiniteTransition
를 사용하여 애니메이션을 연속으로 반복합니다. RepeatModes
을(를) 다음으로 변경
어떻게 돌아가야 하는지 지정할 수 있습니다
finiteRepeatable
를 사용하여 정해진 횟수만큼 반복합니다.
val infiniteTransition = rememberInfiniteTransition(label = "infinite") val color by infiniteTransition.animateColor( initialValue = Color.Green, targetValue = Color.Blue, animationSpec = infiniteRepeatable( animation = tween(1000, easing = LinearEasing), repeatMode = RepeatMode.Reverse ), label = "color" ) Column( modifier = Modifier.drawBehind { drawRect(color) } ) { // your composable here }
컴포저블 실행 시 애니메이션 시작
LaunchedEffect
는 컴포저블이 컴포지션에 진입할 때 실행됩니다. 컴포저블 실행 시 애니메이션을 시작합니다. 이를 사용하여 애니메이션 상태 변경을 유도할 수 있습니다. animateTo
메서드와 함께 Animatable
를 사용하여 실행 시 애니메이션을 시작합니다.
val alphaAnimation = remember { Animatable(0f) } LaunchedEffect(Unit) { alphaAnimation.animateTo(1f) } Box( modifier = Modifier.graphicsLayer { alpha = alphaAnimation.value } )
순차 애니메이션 만들기
Animatable
코루틴 API를 사용하여 순차 또는 동시 실행 실행
있습니다. Animatable
에서 animateTo
를 순서대로 호출합니다.
각 애니메이션이 이전 애니메이션이 완료될 때까지 기다린 후에 다음 단계로 넘어갑니다 .
정지 함수이기 때문입니다.
val alphaAnimation = remember { Animatable(0f) } val yAnimation = remember { Animatable(0f) } LaunchedEffect("animationKey") { alphaAnimation.animateTo(1f) yAnimation.animateTo(100f) yAnimation.animateTo(500f, animationSpec = tween(100)) }
동시 애니메이션 만들기
코루틴 API(Animatable#animateTo()
또는 animate
) 또는 Transition
API를 사용하여 동시 애니메이션을 실행합니다. 코루틴 컨텍스트에서 여러 시작 함수를 사용하면 애니메이션이 동시에 실행됩니다.
val alphaAnimation = remember { Animatable(0f) } val yAnimation = remember { Animatable(0f) } LaunchedEffect("animationKey") { launch { alphaAnimation.animateTo(1f) } launch { yAnimation.animateTo(100f) } }
updateTransition
API를 사용하여 동일한 상태를 사용하여
여러 속성 애니메이션을 동시에 구현할 수 있습니다. 아래 예에서는 상태 변경으로 제어되는 두 속성인 rect
및 borderWidth
에 애니메이션을 적용합니다.
var currentState by remember { mutableStateOf(BoxState.Collapsed) } val transition = updateTransition(currentState, label = "transition") val rect by transition.animateRect(label = "rect") { state -> when (state) { BoxState.Collapsed -> Rect(0f, 0f, 100f, 100f) BoxState.Expanded -> Rect(100f, 100f, 300f, 300f) } } val borderWidth by transition.animateDp(label = "borderWidth") { state -> when (state) { BoxState.Collapsed -> 1.dp BoxState.Expanded -> 0.dp } }
애니메이션 성능 최적화
Compose의 애니메이션으로 인해 성능 문제가 발생할 수 있습니다. 이는 애니메이션의 본질 때문입니다. 애니메이션은 화면의 픽셀을 프레임별로 빠르게 움직이거나 변경하여 움직임의 환상을 만드는 것입니다.
Compose의 다양한 단계인 컴포지션, 레이아웃, 그리기를 고려하세요. 만약 애니메이션이 레이아웃 단계를 변경하는 경우 영향을 받는 모든 컴포저블이 있습니다. 애니메이션이 그리기 단계에서 발생하는 경우 기본적으로 레이아웃 단계에서 애니메이션을 실행하는 것보다 성능이 더 좋습니다. 전체적으로 할 일이 적기 때문입니다.
애니메이션을 실행하는 동안 앱이 최대한 적은 작업을 실행하도록 하려면 가능한 경우 Modifier
의 람다 버전을 선택하세요. 이렇게 하면 재구성이 건너뛰어지고 컴포지션 단계 외부에서 애니메이션이 실행됩니다. 그렇지 않으면 이 수정자는 항상 그리기 단계에서 실행되므로 Modifier.graphicsLayer{ }
를 사용하세요. 이에 대한 자세한 내용은 읽기 지연 섹션을 참고하세요.
참조하세요.
애니메이션 시간 변경
Compose는 기본적으로 대부분의 애니메이션에 스프링 애니메이션을 사용합니다. 스프링 또는
더 자연스럽게 느껴질 수 있습니다. 또한
고정된 시간 대신 객체의 현재 속도를 고려합니다.
기본값을 재정의하려는 경우 위에서 설명한 모든 애니메이션 API가
animationSpec
를 설정하여 애니메이션 실행 방식을 맞춤설정할 수 있습니다.
탄력성 있는 광고를 일정하게 만들 수 있습니다.
다음은 다양한 animationSpec
옵션을 요약한 내용입니다.
spring
: 물리학 기반 애니메이션으로, 모든 애니메이션의 기본값입니다. 나 강성 또는 dampingRatio를 변경하여 다른 애니메이션을 적용할 수 있습니다. 있습니다.tween
(between의 줄임말): 기간 기반 애니메이션으로,Easing
함수를 사용하여 두 값 간에 애니메이션을 만듭니다.keyframes
: 애니메이션을 적용할 수 있습니다.repeatable
:RepeatMode
로 지정된 특정 횟수만큼 실행되는 시간 기반 사양입니다.infiniteRepeatable
: 영구적으로 실행되는 기간 기반 사양입니다.snap
: 애니메이션 없이 즉시 종료 값에 맞춰집니다.
animationSpecs에 대한 자세한 내용은 전체 문서를 참조하세요.
추가 리소스
Compose의 재미있는 애니메이션에 관한 더 많은 예는 다음을 참고하세요.