React Spring

All You Need to Know About React Spring Animations Jammed Into One Article

June 30, 2022
Emmanuel Uchenna
React.js

The Fastest Way to Build React UI

Convert Figma designs to production-ready React.js code. Build stunning apps and landing pages faster than your peers and competitors.

Table of Contents
  1. Introducing animations in web development
  2. Introducing React Spring as an animation Library
    • Pros of using animations on your website
  3. Prerequisites to setup your CRA
  4. Getting Started with React Spring
  5. React Spring 5 hooks explained
  6. Difference between Spring Boot and React Spring and NodeJS
  7. How to Create a Timer with React Spring
  8. The performance advantages of React Spring
  9. React Spring Alternatives
  10. Conclusion

Introducing animations in web development

banner

Website design and development experienced tremendous changes, improvements, and disruptive innovations in the past decade, especially with an animation library like React Spring library.

Compared to when it was just a single static page to what it is today – unique, slick, and beautiful. Web developers use animations for breathing life and motion into static website layouts. They also make the user experience more intuitive and exciting.

Animations on website turn an ordinary user experience into an unforgettable journey that ends up amazing. Web animations is translated via movements, adventures, interactions, and with colors changes.

Animation happens when something created in still or two-dimensional form is “brought to life” and appears to move in a way that follows laws of physics. It’s the way a cartoon character walks across the screen or how an app icon bounces like a ball while it is loading on the desktop […] – DesignHack

Speaking of improvements in website development, CopyCat is a Figma to code plugin tool that auto-converts your design to production-ready code. It takes care of the redundant, tedious work for you and you spend more time having fun coding. As a result, you speed up development, eliminate sprint delays, and build faster than ever.

Introducing React Spring as an animation Library

React Spring is a cross platform spring physics based animation library that should cover most of your UI related animation needs. This is an animation library giving you flexible tools to confidently cast your ideas into mobile interfaces. As a result, React spring library represents a modern approach to animation.

image

The principle you will be working with is called a spring, it does not have a defined curve or a set duration. In that it differs greatly from the animation you are probably used to. We think of animation in terms of time and curves, but that in itself causes most of the struggle we face when trying to make elements on the screen move naturally, because nothing in the real world moves like that. In React Spring, a spring simply animates values from one state to another. Updates are accumulative, springs remember all the values you ever pass. You can use arbitrary names. – React Spring docs

Pros of using animations on your website

  • Animations enhance design
  • Animations showcase uniqueness of a website
  • Establish a better or stronger emotional connection
  • Animations improve engagement and conversion
  • Improve the overall user experience

In this tutorial, I shall walk you through using React Spring library to confidently cast and provide awesome animations to your CRA (React App).

Prerequisites to setup your CRA

Before you proceed with this tutorial, you must satisfy the following conditions:

  1. Install Node.js ≥v6 on your local machine
  2. Install NPM on your local machine
  3. Understand React.js and/or React Native
  4. Understand React hooks
  5. And have an interest in wowing your users

Let us jump right in and learn about this animation library 🎇🎆🎉

dancing panda

Getting Started with React Spring

Before we begin, I recommend that you add React Spring to your React or React Native application via either of these package managers; Yarn or NPM. Simply open a terminal window on your project’s root directory and run the installation command below:

npm install react-spring

Or

yarn add react-spring

This makes React Spring animation library available in your application.

React Spring 5 hooks explained

React Hooks make it feasible to add state to functional components.

Additionally, React Spring takes this up a notch. By providing a hook-based API, it allows you to define and convert data that you would generally pass as props to animated data.

To better demonstrate some of the features, let us take a closer look at the available hooks in the React-spring module. There are five major hooks available at the moment:

  • useSpring — A single spring moves data from a to b
  • useSprings — Multiple springs mainly for lists, where each spring moves data from a to b
  • useTrail — Multiple springs with a single data set, one spring follows or trails behind the other.
  • useTransition — For mount/unmount transitions (lists where items are added/removed/updated)
  • useChain — To queue or chain multiple animations together For each of these hooks, there are several animation effects you can implement, it is limitless and goes as far as your imagination will take you.

I will walk you through some use cases for useSpring , useSpringsuseTrailuseTransition, and finally, useChain. The cases will demonstrate how you can implement them in your React and React native applications.

React Spring Examples: Using useSpring in your React app

First, you fetch your import react spring

import { useSpring, animated } from 'react-spring'

useSpring is one of the simplest React Spring hooks that you can you to quickly add animations to your app. The useSpring hook accepts two props minimum, which are from and to which are part of the reserved keywords. It simply animates values from one state to another. useSpring converts defined values into animated values; it allows animating the state changes from the initial from to the final to.

A spring simply animates values from one state to another. Updates are accumulative, springs remember all the values you ever pass. Learn more about the useSpring hook here..

Example:

import { useSpring, animated } from 'react-spring'

function App() {
  const props = useSpring({ to: { opacity: 1 }, from: { opacity: 0 } })
  return <animated.div style={props}>I will fade in</animated.div>
}

You need the animation-primitive itself, and a special factory called animated. This library animates outside React (for performance reasons). Your view has to know how to handle the animated props you pass to it. This is what animated is there for, it extends native elements to receive animated values.

React Spring Examples: Using useSprings in your application

First, you fetch your imports

import { useSprings, animated } from 'react-spring'

useSprings is just like useSpring. It allows you to create multiple springs, each with its own config. It is used for static lists where each spring moves data from an initial state to a final state. This also provides you with two options on how to implement it. Since you are working with multiple values, this method works in two forms which are:

Either: overwrite values to change the animation

If you re-render the component with changed props, the animation will update.

const springs = useSprings(
  number,
  items.map(item => ({ opacity: item.opacity }))

Or: pass a function that returns values and updates using the Render Props API

You will get an updater function back, and it won’t cause the component to render like an overwrite. Handling updates like this is useful for fast-occurring updates, but you should prefer it. Optionally there’s a stop function.

const [springs, api] = useSprings(number, index => ({ opacity: 1 }))

// Update springs with new props
api.start(index => ({ opacity: 0 }))
// Stop all springs
api.stop()

Finally: distribute animated props among the view

The return value is an array containing animated props

return springs.map(styles => <animated.div style={styles} />)

React Spring Examples: Using useTrail in your application

First, you fetch your imports

import { useTrail, animated } from 'react-spring'

The useTrail hook enables you to create multiple springs with a single config. It shares almost the same configuration with the useSpring hook with a variation in the implementation. It animates the first item of a list of elements while the rest of the elements form a natural trail and follow their previous sibling to animate.

Example

const items = [
  { text: "ITEM1", id: 1 },
  { text: "ITEM2", id: 2 },
  { text: "ITEM3", id: 3 },
  { text: "ITEM4", id: 4 }
];
export default function App() {
  const trail = useTrail(items.length, { opacity: 1, from: { opacity: 0 } });
  return (
    <>
      {trail.map((props, i) => (
        <animated.div style={props} key={i}>
          {items[i].text}
        </animated.div>
      ))}
    </>
  );
}

Let us break this code down

This argument is the number of animation style objects to create.

const items = [
  { text: "ITEM1", id: 1 },
  { text: "ITEM2", id: 2 },
  { text: "ITEM3", id: 3 },
  { text: "ITEM4", id: 4 }
];

This argument below is the animation style to create.

 const trail = useTrail(items.length, { opacity: 1, from: { opacity: 0 } });

Then we can apply them as we do with the useSprings hook.

{trail.map((props, i) => (
        <animated.div style={props} key={i}>
          {items[i].text}
        </animated.div>
))}

React Spring Examples: Using useTransition in your application

First, you fetch your imports.

import { useTransition, animated } from 'react-spring'
function TransitionArray() {
  const [items, setItems] = useState(NUM_TRANS)

  const transitions = useTransition(items, {
    from: { opacity: 0 },
    enter: { opacity: 1 },
    leave: { opacity: 0 },
    delay: 200,
    config: config.molasses,
    onRest: () => setItems([]),
  })

  useEffect(() => {
    if (items.length === 0) {
      setTimeout(() => {
        setItems(NUM_TRANS)
      }, 2000)
    }
  }, [items])

  return (
    <div style={{ display: 'flex' }}>
      {transitions(({ opacity }, item) => (
        <animated.div
          style={{
            opacity: opacity.to(item.op),
            transform: opacity
              .to(item.trans)
              .to(y => `translate3d(0,${y}px,0)`),
          }}>
          {item.fig}
        </animated.div>
      ))}
    </div>
  )
}

useTransition allows you to create an animated transition group. It takes in the elements of the list, their keys, and lifecycles. The animation is triggered by the appearance and disappearance of the elements. You can use transition for arrays, to toggle between components, or for mounting/unmounting of the same component. Learn more about the useTransition hook here

React Spring Examples: Using useChain in your application

First, you fetch your imports

import { useChain, animated, } from 'react-spring'

useChain allows you to set the execution sequence of previously defined animation hooks. To do this, you need to use refs, which will subsequently prevent the independent execution of the animation.

Learn more about the useChain hook here

Difference between Spring Boot and React Spring and NodeJS

  • Spring boot is an open source Java-based framework used to create a micro Service. It is developed by Pivotal Team and is used to build stand-alone and production ready spring applications. More information about React Spring boot here.

whereas

  • React Spring is a cross platform spring physics based animation library giving you tools that should cover most of your UI animation needs. It gives you flexible tools to cast your ideas into moving interfaces confidently. More information here.

whereas

  • Node.js is an open-source, cross-platform, back-end JavaScript runtime environment that runs on the V8 engine. It executes JavaScript code outside a web browser, which was designed to build scalable network applications. Node.js also lets developers use JavaScript to write command line tools. It also is used for server-side scripting—running scripts server-side to produce dynamic web page content before the page is sent to the user’s web browser.

How to Create a Timer with React Spring

In this tutorial, you shall be walked through using React Spring to create a timer. This will be a pretty straight forward app. Let us dive right in.

glass

First create a React project

npx create-react-app timer-app

Change directory into timer-app

cd timer-app

Install React Spring package

npm install react-spring

React Spring is used to add spring-based animations to our app. In this example, we will use the useSpring hook to demonstrate this example.

Let us now proceed to create the timer in React.JS.

Create the Timer

Add the following lines of code in your App.js:

import React, { useState } from "react";
import { useSpring, animated } from "react-spring";

export default function AnimateTimer() {
   const [flip, set] = useState(false);
   const { number } = useSpring({
      reset: true,
      reverse: flip,
      from: { number: 0 },
      number: 60,
      delay: 100,
      onRest: () => set(!flip),
   });
   return <animated.div>{number.to((n) => n.toFixed(2))}</animated.div>;
}
export default function App() {
   return (
      <div style={{ marginLeft: 500, marginTop: 200 }}>
         <AnimateTimer />
      </div>
   );
}
Congratulations

Explanation of the different parts of our code

  • The React Spring example creates a spring object, which will count from 0 to 60.
  • Then we added the attribute reset to start the loop; it is set to true,
  • we added the attribute reverse to indicate when the counting should start or end,
  • we added the attribute delay to delay the animation,
  • then we added the attribute onRest to indicate what to do when the counting stops.
  • Finally, we added the attribute n.toFixed(2) indicates how many digits to show after the decimal.

Output

Timer example
Congratulations

The performance advantages of React Spring

  • React spring animations are based on physics. There is no need to customize duration or easing. The result is smooth, soft, and natural-looking animations.
  • Easy-to-use and clear documentation.
  • A lot of interesting and beautiful demos in the documentation and on the React Spring creator Paul Henschel’s CodeSandbox page.
  • The library repository is continually being updated and maintained. A small, but quite active community (spectrumdiscord) has formed around the library. Paul Henschel regularly shares interesting insights, demos, and more on his Twitter page.

React Spring Alternatives

Framer/motion: A production-ready motion library for React. Utilize the power behind Framer, the best prototyping tool for teams—proudly open source.

React Transition Group: React Transition Group exposes transition stages, manages classes and group elements. It also manipulates the DOM in useful ways, implementing actual visual transitions much more effortless. The React Transition Group component was developed by the ReactJS community team. It allows you to implement basic CSS animations and transitions worry-free.

React GSAP: This library lets you use the GreenSock Animation Platform (GSAP) in React in a fully declarative way. It abstracts away the direct use of the GSAP Tween and Timeline functions. If you’d like to learn about GSAP tutorials for beginners, pick into our standalone article on the topic.

Conclusion

In this tutorial, I walked you through animations in web development, and introduced you to React Spring and its 5 hooks. Now, you have a basic understanding of react spring, which will serve as a great foundation to making great animations for your web products.

Video on implementing animations with React-Spring:

Implementing animations with React-Spring

Further readings

Related Articles

  • React.js

    What to Read When Using React Typescript In Your App

    Introduction These days, businesses are migrating their applications and digital product from plain ol' Javascript to Typescript. Why? Well, we could liken Typescript to Javascript with superpowers. How? We'll find out as we progress. Before we go into details, check…

    October 1, 2022
  • Bootstrap

    Using Bootstrap Card to Make Your React App Furiously Responsive

    Introduction  As mobile internet users continue to grow, developers need to build applications using lightweight technologies that support these mobile users. That's where Bootstrap Card comes in. Bootstrap is a free, open-source, mobile-first, and popular CSS framework that allows you…

    October 31, 2022

Convert Figma To React

Convert Figma designs to production-ready React.js code. Build stunning apps and landing pages faster than your peers and competitors.

Convert Design to Code