CSS 애니메이션
학습 목표
- CSS transition으로 부드러운 상태 변화 구현
- CSS transform으로 요소 변형 적용
- @keyframes를 사용한 복잡한 애니메이션 생성
- 성능 최적화와 접근성 고려 사항 이해
1. CSS Transition
1.1 기본 개념
┌─────────────────────────────────────────────────────────────────┐
│ CSS Transition │
├─────────────────────────────────────────────────────────────────┤
│ │
│ Transition: 속성 값이 변할 때 부드럽게 전환 │
│ │
│ ┌────────────┐ 부드러운 전환 ┌────────────┐ │
│ │ 상태 A │ ─────────────────▶ │ 상태 B │ │
│ │ color: red │ (0.3s) │ color:blue │ │
│ └────────────┘ └────────────┘ │
│ │
│ 필수 요소: │
│ 1. transition-property: 어떤 속성을 │
│ 2. transition-duration: 얼마나 걸려서 │
│ 3. 트리거: hover, focus, class 변경 등 │
│ │
└─────────────────────────────────────────────────────────────────┘
1.2 Transition 속성
/* 개별 속성 */
.element {
transition-property: background-color; /* 전환할 속성 */
transition-duration: 0.3s; /* 지속 시간 */
transition-timing-function: ease; /* 속도 곡선 */
transition-delay: 0s; /* 지연 시간 */
}
/* 단축 속성 */
.element {
transition: background-color 0.3s ease 0s;
/* property | duration | timing-function | delay */
}
/* 여러 속성 전환 */
.element {
transition:
background-color 0.3s ease,
transform 0.5s ease-out,
opacity 0.2s linear;
}
/* 모든 속성 전환 (성능 주의) */
.element {
transition: all 0.3s ease;
}
1.3 Timing Functions
.examples {
/* 내장 timing functions */
transition-timing-function: linear; /* 일정 속도 */
transition-timing-function: ease; /* 기본값, 느리게 시작-빠르게-느리게 끝 */
transition-timing-function: ease-in; /* 느리게 시작 */
transition-timing-function: ease-out; /* 느리게 끝 */
transition-timing-function: ease-in-out; /* 느리게 시작하고 끝 */
/* 커스텀 베지어 곡선 */
transition-timing-function: cubic-bezier(0.68, -0.55, 0.27, 1.55);
/* 단계별 전환 */
transition-timing-function: steps(4, end);
}
1.4 실전 예제
<!DOCTYPE html>
<html lang="ko">
<head>
<style>
/* 버튼 호버 효과 */
.btn {
padding: 12px 24px;
background-color: #3498db;
color: white;
border: none;
border-radius: 4px;
cursor: pointer;
transition:
background-color 0.3s ease,
transform 0.2s ease,
box-shadow 0.3s ease;
}
.btn:hover {
background-color: #2980b9;
transform: translateY(-2px);
box-shadow: 0 4px 12px rgba(0, 0, 0, 0.15);
}
.btn:active {
transform: translateY(0);
}
/* 카드 호버 효과 */
.card {
padding: 20px;
background: white;
border-radius: 8px;
box-shadow: 0 2px 8px rgba(0, 0, 0, 0.1);
transition:
transform 0.3s ease,
box-shadow 0.3s ease;
}
.card:hover {
transform: translateY(-8px);
box-shadow: 0 12px 24px rgba(0, 0, 0, 0.15);
}
/* 입력 필드 포커스 */
.input {
padding: 10px 16px;
border: 2px solid #ddd;
border-radius: 4px;
outline: none;
transition:
border-color 0.3s ease,
box-shadow 0.3s ease;
}
.input:focus {
border-color: #3498db;
box-shadow: 0 0 0 3px rgba(52, 152, 219, 0.2);
}
/* 메뉴 아이템 */
.menu-item {
padding: 10px 20px;
position: relative;
transition: color 0.3s ease;
}
.menu-item::after {
content: '';
position: absolute;
bottom: 0;
left: 50%;
width: 0;
height: 2px;
background: #3498db;
transition:
width 0.3s ease,
left 0.3s ease;
}
.menu-item:hover::after {
width: 100%;
left: 0;
}
</style>
</head>
<body>
<button class="btn">버튼</button>
<div class="card">카드 콘텐츠</div>
<input class="input" placeholder="입력하세요">
<nav>
<a class="menu-item">메뉴 1</a>
<a class="menu-item">메뉴 2</a>
</nav>
</body>
</html>
/* 이동 (Translate) */
.translate {
transform: translateX(50px); /* X축 이동 */
transform: translateY(30px); /* Y축 이동 */
transform: translate(50px, 30px); /* X, Y 동시 이동 */
}
/* 크기 (Scale) */
.scale {
transform: scaleX(1.5); /* X축 확대 */
transform: scaleY(0.8); /* Y축 축소 */
transform: scale(1.5); /* 균등 확대 */
transform: scale(1.5, 0.8); /* X, Y 개별 */
}
/* 회전 (Rotate) */
.rotate {
transform: rotate(45deg); /* 시계 방향 45도 */
transform: rotate(-30deg); /* 반시계 방향 30도 */
transform: rotate(0.5turn); /* 180도 (반 바퀴) */
}
/* 기울이기 (Skew) */
.skew {
transform: skewX(20deg); /* X축 기울이기 */
transform: skewY(10deg); /* Y축 기울이기 */
transform: skew(20deg, 10deg); /* X, Y 동시 */
}
/* 복합 Transform */
.combined {
transform: translateX(50px) rotate(45deg) scale(1.2);
/* 순서 중요! 오른쪽부터 적용됨 */
}
/* 변환 기준점 설정 */
.origin {
transform-origin: center; /* 기본값 (중앙) */
transform-origin: top left; /* 왼쪽 위 */
transform-origin: 50% 100%; /* 하단 중앙 */
transform-origin: 0 0; /* 왼쪽 위 (px) */
}
/* 회전 예시 - 기준점에 따른 차이 */
.rotate-center {
transform-origin: center;
transform: rotate(45deg);
/* 중앙을 기준으로 회전 */
}
.rotate-corner {
transform-origin: top left;
transform: rotate(45deg);
/* 왼쪽 위를 기준으로 회전 */
}
/* 3D 이동 */
.translate3d {
transform: translateZ(50px);
transform: translate3d(50px, 30px, 20px);
}
/* 3D 회전 */
.rotate3d {
transform: rotateX(45deg); /* X축 기준 회전 */
transform: rotateY(45deg); /* Y축 기준 회전 */
transform: rotateZ(45deg); /* Z축 기준 회전 (= rotate()) */
transform: rotate3d(1, 1, 0, 45deg); /* 커스텀 축 */
}
/* 원근감 (Perspective) */
.perspective-parent {
perspective: 1000px; /* 부모에 설정 */
}
.perspective-child {
transform: perspective(1000px) rotateY(45deg);
/* 또는 개별 요소에 설정 */
}
/* 3D 공간 유지 */
.preserve-3d {
transform-style: preserve-3d; /* 자식 요소도 3D 공간 유지 */
}
/* 뒷면 보이기 설정 */
.backface {
backface-visibility: hidden; /* 뒷면 숨김 (카드 뒤집기에 유용) */
}
2.4 3D 카드 뒤집기 예제
<!DOCTYPE html>
<html lang="ko">
<head>
<style>
.card-container {
width: 200px;
height: 300px;
perspective: 1000px;
}
.card {
width: 100%;
height: 100%;
position: relative;
transform-style: preserve-3d;
transition: transform 0.6s ease;
}
.card-container:hover .card {
transform: rotateY(180deg);
}
.card-face {
position: absolute;
width: 100%;
height: 100%;
backface-visibility: hidden;
display: flex;
align-items: center;
justify-content: center;
border-radius: 12px;
font-size: 24px;
font-weight: bold;
}
.card-front {
background: linear-gradient(135deg, #667eea 0%, #764ba2 100%);
color: white;
}
.card-back {
background: linear-gradient(135deg, #f093fb 0%, #f5576c 100%);
color: white;
transform: rotateY(180deg);
}
</style>
</head>
<body>
<div class="card-container">
<div class="card">
<div class="card-face card-front">앞면</div>
<div class="card-face card-back">뒷면</div>
</div>
</div>
</body>
</html>
3. CSS Animation (@keyframes)
3.1 기본 구조
/* 애니메이션 정의 */
@keyframes slidein {
from {
transform: translateX(-100%);
opacity: 0;
}
to {
transform: translateX(0);
opacity: 1;
}
}
/* 퍼센트 기반 정의 */
@keyframes bounce {
0% {
transform: translateY(0);
}
50% {
transform: translateY(-30px);
}
100% {
transform: translateY(0);
}
}
/* 애니메이션 적용 */
.animated-element {
animation-name: slidein;
animation-duration: 1s;
animation-timing-function: ease-out;
animation-delay: 0s;
animation-iteration-count: 1;
animation-direction: normal;
animation-fill-mode: forwards;
animation-play-state: running;
}
/* 단축 속성 */
.animated-element {
animation: slidein 1s ease-out 0s 1 normal forwards running;
/* name | duration | timing | delay | count | direction | fill | state */
}
/* 더 간단한 형태 */
.simple {
animation: bounce 0.5s ease infinite;
}
3.2 Animation 속성 상세
.animation-props {
/* 반복 횟수 */
animation-iteration-count: 3; /* 3회 */
animation-iteration-count: infinite; /* 무한 */
/* 방향 */
animation-direction: normal; /* 정방향 */
animation-direction: reverse; /* 역방향 */
animation-direction: alternate; /* 번갈아 (정→역→정...) */
animation-direction: alternate-reverse; /* 번갈아 (역→정→역...) */
/* 채우기 모드 (애니메이션 전후 상태) */
animation-fill-mode: none; /* 기본값 */
animation-fill-mode: forwards; /* 끝 상태 유지 */
animation-fill-mode: backwards; /* 시작 상태 적용 (delay 동안) */
animation-fill-mode: both; /* 시작+끝 모두 */
/* 재생 상태 */
animation-play-state: running; /* 재생 */
animation-play-state: paused; /* 일시정지 */
}
3.3 실전 애니메이션 예제
/* 로딩 스피너 */
@keyframes spin {
from { transform: rotate(0deg); }
to { transform: rotate(360deg); }
}
.spinner {
width: 40px;
height: 40px;
border: 4px solid #f3f3f3;
border-top: 4px solid #3498db;
border-radius: 50%;
animation: spin 1s linear infinite;
}
/* 펄스 효과 */
@keyframes pulse {
0% {
transform: scale(1);
box-shadow: 0 0 0 0 rgba(52, 152, 219, 0.7);
}
70% {
transform: scale(1.05);
box-shadow: 0 0 0 15px rgba(52, 152, 219, 0);
}
100% {
transform: scale(1);
box-shadow: 0 0 0 0 rgba(52, 152, 219, 0);
}
}
.pulse-btn {
animation: pulse 2s infinite;
}
/* 타이핑 효과 */
@keyframes typing {
from { width: 0; }
to { width: 100%; }
}
@keyframes blink {
50% { border-color: transparent; }
}
.typing-text {
width: 0;
overflow: hidden;
white-space: nowrap;
border-right: 3px solid;
animation:
typing 3s steps(30) forwards,
blink 0.75s step-end infinite;
}
/* 흔들림 효과 */
@keyframes shake {
0%, 100% { transform: translateX(0); }
10%, 30%, 50%, 70%, 90% { transform: translateX(-5px); }
20%, 40%, 60%, 80% { transform: translateX(5px); }
}
.shake-error {
animation: shake 0.5s ease-in-out;
}
/* 페이드 인 업 */
@keyframes fadeInUp {
from {
opacity: 0;
transform: translateY(30px);
}
to {
opacity: 1;
transform: translateY(0);
}
}
.fade-in-up {
animation: fadeInUp 0.6s ease-out forwards;
}
/* 시차 애니메이션 (Staggered) */
.item { animation: fadeInUp 0.5s ease-out forwards; opacity: 0; }
.item:nth-child(1) { animation-delay: 0.1s; }
.item:nth-child(2) { animation-delay: 0.2s; }
.item:nth-child(3) { animation-delay: 0.3s; }
.item:nth-child(4) { animation-delay: 0.4s; }
4. 스크롤 기반 애니메이션
4.1 Intersection Observer (JavaScript)
<!DOCTYPE html>
<html lang="ko">
<head>
<style>
.animate-on-scroll {
opacity: 0;
transform: translateY(50px);
transition: opacity 0.6s ease, transform 0.6s ease;
}
.animate-on-scroll.visible {
opacity: 1;
transform: translateY(0);
}
</style>
</head>
<body>
<div class="animate-on-scroll">스크롤하면 나타나요</div>
<script>
const observer = new IntersectionObserver((entries) => {
entries.forEach(entry => {
if (entry.isIntersecting) {
entry.target.classList.add('visible');
}
});
}, {
threshold: 0.1, // 10% 보이면 트리거
rootMargin: '0px 0px -50px 0px'
});
document.querySelectorAll('.animate-on-scroll').forEach(el => {
observer.observe(el);
});
</script>
</body>
</html>
/* Chrome 115+, scroll() 함수 */
@keyframes reveal {
from { opacity: 0; transform: translateY(100px); }
to { opacity: 1; transform: translateY(0); }
}
.scroll-reveal {
animation: reveal linear both;
animation-timeline: view();
animation-range: entry 0% cover 40%;
}
/* 스크롤 진행도 표시 */
@keyframes progress {
from { transform: scaleX(0); }
to { transform: scaleX(1); }
}
.progress-bar {
position: fixed;
top: 0;
left: 0;
right: 0;
height: 4px;
background: #3498db;
transform-origin: left;
animation: progress linear;
animation-timeline: scroll();
}
5. 성능 최적화
5.1 GPU 가속 속성
/* GPU로 처리되는 속성 (권장) */
.performant {
transform: translateX(100px); /* ✅ 합성 레이어 */
opacity: 0.5; /* ✅ 합성 레이어 */
}
/* CPU로 처리되는 속성 (주의) */
.slow {
left: 100px; /* ❌ 레이아웃 재계산 */
width: 200px; /* ❌ 레이아웃 재계산 */
margin-left: 50px; /* ❌ 레이아웃 재계산 */
}
/* will-change로 최적화 힌트 */
.optimized {
will-change: transform, opacity;
/* 주의: 과도한 사용은 오히려 성능 저하 */
}
/* 애니메이션 후 will-change 제거 */
.animated {
transition: transform 0.3s;
}
.animated:hover {
will-change: transform;
transform: scale(1.1);
}
5.2 성능 팁
/* ✅ 좋은 예: transform 사용 */
.good {
transform: translateY(-10px);
}
/* ❌ 나쁜 예: top 사용 */
.bad {
position: relative;
top: -10px;
}
/* ✅ 좋은 예: opacity */
.fade-good {
opacity: 0;
}
/* ❌ 나쁜 예: visibility + display 변경 */
.fade-bad {
visibility: hidden;
}
/* 레이어 강제 생성 (디버깅용) */
.debug-layer {
transform: translateZ(0);
/* 또는 */
will-change: transform;
}
6. 접근성 고려
6.1 모션 감소 설정 존중
/* 기본 애니메이션 */
.animated {
animation: bounce 0.5s ease infinite;
transition: transform 0.3s ease;
}
/* 모션 감소 선호 시 */
@media (prefers-reduced-motion: reduce) {
.animated {
animation: none;
transition: none;
}
/* 또는 더 짧고 단순하게 */
* {
animation-duration: 0.01ms !important;
animation-iteration-count: 1 !important;
transition-duration: 0.01ms !important;
}
}
/* 필수 애니메이션만 유지 */
@media (prefers-reduced-motion: reduce) {
.spinner {
/* 로딩 스피너는 유지 (기능적) */
animation: spin 2s linear infinite;
}
.decorative-animation {
/* 장식적 애니메이션은 제거 */
animation: none;
}
}
6.2 자동 재생 주의
/* 자동 재생 애니메이션은 일시정지 제공 */
.auto-play {
animation: slideshow 10s infinite;
animation-play-state: running;
}
.auto-play:hover,
.auto-play:focus-within {
animation-play-state: paused;
}
/* 또는 JavaScript로 제어 */
// 모션 감소 설정 확인
const prefersReducedMotion = window.matchMedia(
'(prefers-reduced-motion: reduce)'
).matches;
if (prefersReducedMotion) {
// 애니메이션 비활성화 또는 단순화
document.documentElement.classList.add('reduced-motion');
}
정리
주요 속성 비교
| 기능 |
Transition |
Animation |
| 트리거 |
상태 변화 필요 (hover 등) |
자동/수동 모두 가능 |
| 복잡도 |
단순 (시작→끝) |
복잡 (다단계 가능) |
| 반복 |
불가 |
가능 (infinite) |
| 중간 상태 |
불가 |
가능 (@keyframes) |
| 사용 사례 |
호버 효과, 상태 전환 |
로딩, 배경 애니메이션 |
| 함수 |
설명 |
예시 |
| translate |
이동 |
translateX(50px) |
| scale |
크기 |
scale(1.5) |
| rotate |
회전 |
rotate(45deg) |
| skew |
기울이기 |
skewX(20deg) |
성능 우선순위
transform, opacity 사용 (GPU 가속)
will-change 신중하게 사용
left, width 등 레이아웃 속성 피하기
다음 단계
참고 자료