When building web applications, smooth animations are crucial for creating engaging user experiences. Two popular animation libraries, Framer Motion and GSAP, each offer unique approaches to implementing animations in Next.js. Let's explore their differences, benefits, and performance implications.
Why choose between Framer Motion and GSAP?
Framer Motion and GSAP serve different purposes in different scenarios:
Framer Motion
- Declarative API that integrates naturally with React
- Built-in animation components and hooks
- Automatic hardware acceleration
- Smaller initial bundle size
GSAP
- More precise control over animations
- Better performance for complex animations
- Timeline-based animations
- Cross-browser consistency
Performance comparison
Let's implement the same animation using both libraries and analyze their performance impact. First, install both libraries:
npm install framer-motion gsap
Implementing a card flip animation with Framer Motion
CardFlip
jsx
1"use client";
2
3import { motion } from "framer-motion";
4import { useState } from "react";
5
6const CardFlip = () => {
7 const [isFlipped, setIsFlipped] = useState(false);
8
9 return (
10 <motion.div
11 className="relative w-64 cursor-pointer h-96"
12 onClick={() => setIsFlipped(!isFlipped)}
13 animate={{ rotateY: isFlipped ? 180 : 0 }}
14 transition={{ duration: 0.6, type: "spring" }}
15 style={{
16 perspective: 1000,
17 transformStyle: "preserve-3d",
18 }}
19 >
20 <motion.div
21 className="absolute flex items-center justify-center w-full h-full overflow-hidden rounded-xl"
22 style={{
23 backfaceVisibility: "hidden",
24 WebkitBackfaceVisibility: "hidden",
25 }}
26 >
27 <img
28 src="/image-1.jpeg"
29 className="object-cover w-full h-full"
30 />
31 </motion.div>
32 <motion.div
33 className="absolute flex items-center justify-center w-full h-full overflow-hidden rounded-xl"
34 style={{
35 transform: "rotateY(180deg)",
36 backfaceVisibility: "hidden",
37 WebkitBackfaceVisibility: "hidden",
38 }}
39 >
40 <img
41 src="/image-2.jpg"
42 className="object-cover w-full h-full"
43 />
44 </motion.div>
45 </motion.div>
46 );
47};
48
49export default CardFlip;
50
Same animation with GSAP
GSAPCardFlip
jsx
1"use client";
2
3import { useEffect, useRef, useState } from "react";
4import gsap from "gsap";
5
6const GSAPCardFlip = () => {
7 const cardRef = useRef(null);
8 const frontRef = useRef(null);
9 const backRef = useRef(null);
10 const [isFlipped, setIsFlipped] = useState(false);
11
12 useEffect(() => {
13 // Set initial styles
14 gsap.set(cardRef.current, {
15 transformStyle: "preserve-3d",
16 transformPerspective: 1000,
17 });
18
19 gsap.set([frontRef.current, backRef.current], {
20 backfaceVisibility: "hidden",
21 position: "absolute",
22 width: "100%",
23 height: "100%",
24 });
25
26 gsap.set(backRef.current, {
27 rotationY: 180,
28 });
29
30 // Create the flip animation
31 gsap.to(cardRef.current, {
32 rotationY: isFlipped ? 180 : 0,
33 duration: 0.6,
34 ease: "power2.inOut",
35 });
36 }, [isFlipped]);
37
38 return (
39 <div
40 ref={cardRef}
41 className="relative w-64 cursor-pointer h-96"
42 onClick={() => setIsFlipped(!isFlipped)}
43 >
44 <div
45 ref={frontRef}
46 className="flex items-center justify-center overflow-hidden rounded-xl"
47 >
48 <img
49 src="/image-1.jpeg"
50 className="object-cover w-full h-full"
51 />
52 </div>
53 <div
54 ref={backRef}
55 className="flex items-center justify-center overflow-hidden rounded-xl"
56 >
57 <img
58 src="/image-2.jpg"
59 className="object-cover w-full h-full"
60 />
61 </div>
62 </div>
63 );
64};
65
66export default GSAPCardFlip;
67
Performance deep dive
Let's see the performance characteristics and understand why these differences exist:
Bundle size impact
- Framer Motion: ~41.6KB (minified + gzipped)
- GSAP: ~34.2KB (minified + gzipped)
The size difference comes from Framer Motion's React specific features. It includes React hooks, components, and the gesture system, while GSAP is a pure animation engine. This makes GSAP more lightweight but also explains why it's less React-friendly.
CPU usage
- Framer Motion: Average 4-6% CPU during animations
- GSAP: Average 2-3% CPU during animations
The CPU usage difference stems from their fundamental approaches:
Framer Motion's react integration
- Runs animations through React's reconciliation process
- Creates new render cycles for animation frames
- Manages state updates for animated values
- Results in higher CPU overhead due to React's virtual DOM updates
GSAP's direct DOM manipulation
- Bypasses React's reconciliation
- Updates DOM properties directly
- Uses optimized internal scheduling
- Results in lower CPU usage but requires manual cleanup
Frame rate analysis
- Framer Motion: Maintains 60fps for simple animations, drops to ~45fps with multiple simultaneous animations
- GSAP: Consistently maintains 60fps, even with complex animation sequences
The frame rate differences become apparent in three key scenarios:
Simple animations
Simple
jsx
1// Framer Motion - 60fps
2<motion.div animate={{ x: 100 }} />
3
4// GSAP - 60fps
5gsap.to(element, { x: 100 })
Both perform equally well for basic transitions.
Multiple parallel animations
Parallel
jsx
1// Framer Motion - Drops to ~45fps
2<>
3 {items.map(item => (
4 <motion.div
5 key={item.id}
6 animate={{
7 x: 100,
8 y: 50,
9 rotate: 360,
10 scale: 1.2
11 }}
12 />
13 ))}
14</>
15
16// GSAP - Maintains 60fps
17useEffect(() => {
18 const ctx = gsap.context(() => {
19 gsap.to(".animated-item", {
20 x: 100,
21 y: 50,
22 rotation: 360,
23 scale: 1.2,
24 stagger: 0.1
25 });
26 });
27 return () => ctx.revert();
28}, []);
GSAP maintains better performance because:
- Uses a single animation timeline for multiple elements
- Optimizes property updates in batches
- Employs efficient memory management
- Reduces garbage collection pauses
Complex sequences
Complex
jsx
1// Framer Motion - Variable performance
2<motion.div
3 animate={[
4 { scale: 1.2 },
5 { rotate: 180 },
6 { x: 100 }
7 ]}
8 transition={{ duration: 2 }}
9/>
10
11// GSAP - Consistent 60fps
12gsap.timeline()
13 .to(element, { scale: 1.2 })
14 .to(element, { rotation: 180 })
15 .to(element, { x: 100 });
GSAP's better performance in sequences comes from:
- Pre-calculated animation paths
- Optimized timing system
- Efficient memory allocation
- Better handling of transform combinations
Conclusion
Both Framer Motion and GSAP are powerful animation libraries with their own strengths. Framer Motion excels in React-specific implementations and quick prototyping, while GSAP provides better performance and more precise control for complex animations.
For Next.js applications:
- Use Framer Motion for simple UI transitions and prototypes
- Choose GSAP for performance-critical animations and complex sequences
- Consider using both libraries together when appropriate, leveraging their respective strengths
Remember to always measure performance impact in your specific use case, as animation performance can vary significantly based on implementation details and browser conditions.