react-intersection-observer vs react-scroll vs react-waypoint vs react-scrollspy
React Scroll and Intersection Libraries
react-intersection-observerreact-scrollreact-waypointreact-scrollspySimilar Packages:
React Scroll and Intersection Libraries

React scroll and intersection libraries provide tools for handling scroll events, detecting when elements enter or leave the viewport, and creating smooth scrolling experiences in React applications. These libraries help developers implement features like lazy loading, infinite scrolling, scroll-based animations, and navigation highlighting with ease. They offer optimized and reusable components that handle the complexities of scroll event management, improving performance and user experience. By using these libraries, developers can create more interactive and responsive web applications that react to user scrolling behavior in a seamless and efficient manner.

Npm Package Weekly Downloads Trend
3 Years
Github Stars Ranking
Stat Detail
Package
Downloads
Stars
Size
Issues
Publish
License
react-intersection-observer2,865,5675,516162 kB22 months agoMIT
react-scroll522,6454,422139 kB231a year agoMIT
react-waypoint292,0564,06360.7 kB59-MIT
react-scrollspy34,856426-845 years agoMIT
Feature Comparison: react-intersection-observer vs react-scroll vs react-waypoint vs react-scrollspy

Viewport Detection

  • react-intersection-observer:

    react-intersection-observer uses the Intersection Observer API to detect when elements enter or leave the viewport. This approach is highly efficient and minimizes the performance impact compared to traditional scroll event listeners.

  • react-scroll:

    react-scroll does not provide viewport detection out of the box. It focuses on animating scroll events rather than detecting element visibility.

  • react-waypoint:

    react-waypoint allows you to define waypoints in your application and trigger callbacks when the user scrolls to those points. It is a simple and flexible way to detect scroll positions without a lot of complexity.

  • react-scrollspy:

    react-scrollspy detects the current scroll position and highlights navigation items based on which section is visible. It uses scroll event listeners to track the user's position on the page.

Smooth Scrolling

  • react-intersection-observer:

    react-intersection-observer does not handle smooth scrolling. It is focused on detecting element visibility rather than animating scroll behavior.

  • react-scroll:

    react-scroll specializes in smooth scrolling animations. It provides a variety of options for customizing the scroll behavior, including duration, easing, and offset.

  • react-waypoint:

    react-waypoint does not provide smooth scrolling functionality. It is focused on triggering events at specific scroll positions rather than animating the scroll.

  • react-scrollspy:

    react-scrollspy does not handle smooth scrolling. It is designed to update navigation items based on scroll position, but it does not animate the scrolling itself.

Navigation Highlighting

  • react-intersection-observer:

    react-intersection-observer can be used to implement navigation highlighting by detecting when sections enter the viewport. However, this functionality is not built-in and requires custom implementation.

  • react-scroll:

    react-scroll does not provide navigation highlighting out of the box. It focuses on animating scroll events, but you can combine it with other libraries or custom code to highlight navigation items.

  • react-waypoint:

    react-waypoint can be used to implement navigation highlighting by triggering callbacks when the user scrolls to specific sections. However, this functionality is not built-in and requires custom implementation.

  • react-scrollspy:

    react-scrollspy is specifically designed for navigation highlighting. It automatically updates the active class on navigation items based on the current scroll position, making it easy to create interactive menus.

Performance

  • react-intersection-observer:

    react-intersection-observer is highly performant due to its use of the Intersection Observer API, which is optimized for detecting visibility changes without causing layout thrashing or excessive reflows.

  • react-scroll:

    react-scroll is generally performant, but smooth scrolling animations can impact performance if overused or implemented on very large pages. It is important to use it judiciously to avoid jank.

  • react-waypoint:

    react-waypoint is designed to be lightweight and efficient. It minimizes the performance impact by only triggering callbacks when the user scrolls to defined waypoints, rather than continuously listening to scroll events.

  • react-scrollspy:

    react-scrollspy relies on scroll event listeners, which can impact performance if not throttled or debounced. However, it is lightweight and efficient for most typical use cases.

Ease of Use: Code Examples

  • react-intersection-observer:

    react-intersection-observer provides a simple API for detecting element visibility. It integrates seamlessly with React hooks and components, making it easy to use for lazy loading and animations.

    Example:

    import { useInView } from 'react-intersection-observer';
    
    function LazyImage() {
      const { ref, inView } = useInView({
        triggerOnce: true,
        threshold: 0.1,
      });
    
      return (
        <div ref={ref}>
          {inView ? <img src="image.jpg" alt="Lazy Loaded" /> : <div>Loading...</div>}
        </div>
      );
    }
    
  • react-scroll:

    react-scroll offers a straightforward API for creating smooth scrolling links and animations. It is well-documented and easy to integrate into existing projects.

    Example:

    import { Link, animateScroll as scroll } from 'react-scroll';
    
    function Navbar() {
      return (
        <nav>
          <Link to="section1" smooth={true} duration={500}>
            Section 1
          </Link>
          <Link to="section2" smooth={true} duration={500}>
            Section 2
          </Link>
        </nav>
      );
    }
    
  • react-waypoint:

    react-waypoint provides a simple interface for defining waypoints and triggering callbacks. It is easy to use and integrates well with React components.

    Example:

    import { Waypoint } from 'react-waypoint';
    
    function InfiniteScrollList({ loadMore }) {
      return (
        <div>
          {/* List items */}
          <Waypoint onEnter={loadMore} />
        </div>
      );
    }
    
  • react-scrollspy:

    react-scrollspy is simple to use for highlighting navigation items based on scroll position. It requires minimal setup and works well with existing navigation components.

    Example:

    import Scrollspy from 'react-scrollspy';
    
    function Navbar() {
      return (
        <Scrollspy items={["section1", "section2"]} currentClassName="active">
          <li><a href="#section1">Section 1</a></li>
          <li><a href="#section2">Section 2</a></li>
        </Scrollspy>
      );
    }
    
How to Choose: react-intersection-observer vs react-scroll vs react-waypoint vs react-scrollspy
  • react-intersection-observer:

    Choose react-intersection-observer if you need a lightweight and efficient way to detect when elements enter or leave the viewport. It is ideal for implementing lazy loading, animations, and other scroll-based interactions with minimal performance impact.

  • react-scroll:

    Choose react-scroll if you want to create smooth scrolling effects and handle scroll events programmatically. It is perfect for single-page applications, landing pages, and any project that requires animated scrolling to specific sections.

  • react-waypoint:

    Choose react-waypoint if you need a simple and flexible way to trigger functions when scrolling to specific points on the page. It is great for implementing infinite scrolling, lazy loading, and other scroll-based interactions without a lot of overhead.

  • react-scrollspy:

    Choose react-scrollspy if you need to highlight navigation items based on the current scroll position. It is useful for creating table of contents, sidebars, and other navigation components that update as the user scrolls through the page.

README for react-intersection-observer

react-intersection-observer

Version Badge Test License Downloads

A React implementation of the Intersection Observer API to tell you when an element enters or leaves the viewport. Contains Hooks, render props, and plain children implementations.

Features

  • 🪝 Hooks or Component API - With useInView and useOnInView it's easier than ever to monitor elements
  • ⚡️ Optimized performance - Reuses Intersection Observer instances where possible
  • ⚙️ Matches native API - Intuitive to use
  • 🛠 Written in TypeScript - It'll fit right into your existing TypeScript project
  • 🧪 Ready to test - Mocks the Intersection Observer for easy testing with Jest or Vitest
  • 🌳 Tree-shakeable - Only include the parts you use
  • 💥 Tiny bundle - Around ~1.15kB for useInView and ~1.6kB for <InView>

Open in StackBlitz

Installation

Install the package with your package manager of choice:

npm install react-intersection-observer --save

Usage

useInView hook

// Use object destructuring, so you don't need to remember the exact order
const { ref, inView, entry } = useInView(options);

// Or array destructuring, making it easy to customize the field names
const [ref, inView, entry] = useInView(options);

The useInView hook makes it easy to monitor the inView state of your components. Call the useInView hook with the (optional) options you need. It will return an array containing a ref, the inView status and the current entry. Assign the ref to the DOM element you want to monitor, and the hook will report the status.

import React from "react";
import { useInView } from "react-intersection-observer";

const Component = () => {
  const { ref, inView, entry } = useInView({
    /* Optional options */
    threshold: 0,
  });

  return (
    <div ref={ref}>
      <h2>{`Header inside viewport ${inView}.`}</h2>
    </div>
  );
};

Note: The first false notification from the underlying IntersectionObserver is ignored so your handlers only run after a real visibility change. Subsequent transitions still report both true and false states as the element enters and leaves the viewport.

useOnInView hook

const inViewRef = useOnInView(
  (inView, entry) => {
    if (inView) {
      // Do something with the element that came into view
      console.log("Element is in view", entry.target);
    } else {
      console.log("Element left view", entry.target);
    }
  },
  options // Optional IntersectionObserver options
);

The useOnInView hook provides a more direct alternative to useInView. It takes a callback function and returns a ref that you can assign to the DOM element you want to monitor. Whenever the element enters or leaves the viewport, your callback will be triggered with the latest in-view state.

Key differences from useInView:

  • No re-renders - This hook doesn't update any state, making it ideal for performance-critical scenarios
  • Direct element access - Your callback receives the actual IntersectionObserverEntry with the target element
  • Boolean-first callback - The callback receives the current inView boolean as the first argument, matching the onChange signature from useInView
  • Similar options - Accepts all the same options as useInView except onChange, initialInView, and fallbackInView

Note: Just like useInView, the initial false notification is skipped. Your callback fires the first time the element becomes visible (and on every subsequent enter/leave transition).

import React from "react";
import { useOnInView } from "react-intersection-observer";

const Component = () => {
  // Track when element appears without causing re-renders
  const trackingRef = useOnInView(
    (inView, entry) => {
      if (inView) {
        // Element is in view - perhaps log an impression
        console.log("Element appeared in view", entry.target);
      } else {
        console.log("Element left view", entry.target);
      }
    },
    {
      /* Optional options */
      threshold: 0.5,
      triggerOnce: true,
    },
  );

  return (
    <div ref={trackingRef}>
      <h2>This element is being tracked without re-renders</h2>
    </div>
  );
};

Render props

To use the <InView> component, you pass it a function. It will be called whenever the state changes, with the new value of inView. In addition to the inView prop, children also receive a ref that should be set on the containing DOM element. This is the element that the Intersection Observer will monitor.

If you need it, you can also access the IntersectionObserverEntry on entry, giving you access to all the details about the current intersection state.

import { InView } from "react-intersection-observer";

 const Component = () => (
 <InView>
 {({ inView, ref, entry }) => (
      <div ref={ref}>
        <h2>{`Header inside viewport ${inView}.`}</h2>
      </div>
    )}
  </InView>
);

 export default Component;

Note: <InView> mirrors the hook behaviour—it suppresses the very first false notification so render props and onChange handlers only run after a genuine visibility change.

Plain children

You can pass any element to the <InView />, and it will handle creating the wrapping DOM element. Add a handler to the onChange method, and control the state in your own component. Any extra props you add to <InView> will be passed to the HTML element, allowing you set the className, style, etc.

import { InView } from "react-intersection-observer";

const Component = () => (
  <InView as="div" onChange={(inView, entry) => console.log("Inview:", inView)}>
    <h2>Plain children are always rendered. Use onChange to monitor state.</h2>
  </InView>
);

export default Component;

[!NOTE] When rendering a plain child, make sure you keep your HTML output semantic. Change the as to match the context, and add a className to style the <InView />. The component does not support Ref Forwarding, so if you need a ref to the HTML element, use the Render Props version instead.

API

Options

Provide these as the options argument in the useInView hook or as props on the <InView /> component.

NameTypeDefaultDescription
rootElementdocumentThe Intersection Observer interface's read-only root property identifies the Element or Document whose bounds are treated as the bounding box of the viewport for the element which is the observer's target. If the root is null, then the bounds of the actual document viewport are used.
rootMarginstring'0px'Margin around the root. Can have values similar to the CSS margin property, e.g. "10px 20px 30px 40px" (top, right, bottom, left). Also supports percentages, to check if an element intersects with the center of the viewport for example "-50% 0% -50% 0%".
thresholdnumber or number[]0Number between 0 and 1 indicating the percentage that should be visible before triggering. Can also be an array of numbers, to create multiple trigger points.
onChange(inView, entry) => voidundefinedCall this function whenever the in view state changes. It will receive the inView boolean, alongside the current IntersectionObserverEntry.
trackVisibility 🧪booleanfalseA boolean indicating whether this Intersection Observer will track visibility changes on the target.
delay 🧪numberundefinedA number indicating the minimum delay in milliseconds between notifications from this observer for a given target. This must be set to at least 100 if trackVisibility is true.
skipbooleanfalseSkip creating the IntersectionObserver. You can use this to enable and disable the observer as needed. If skip is set while inView, the current state will still be kept.
triggerOncebooleanfalseOnly trigger the observer once.
initialInViewbooleanfalseSet the initial value of the inView boolean. This can be used if you expect the element to be in the viewport to start with, and you want to trigger something when it leaves.
fallbackInViewbooleanundefinedIf the IntersectionObserver API isn't available in the client, the default behavior is to throw an Error. You can set a specific fallback behavior, and the inView value will be set to this instead of failing. To set a global default, you can set it with the defaultFallbackInView()

useOnInView accepts the same options as useInView except onChange, initialInView, and fallbackInView.

InView Props

The <InView /> component also accepts the following props:

NameTypeDefaultDescription
asIntrinsicElement'div'Render the wrapping element as this element. Defaults to div. If you want to use a custom component, please use the useInView hook or a render prop instead to manage the reference explictly.
children({ref, inView, entry}) => ReactNode or ReactNodeundefinedChildren expects a function that receives an object containing the inView boolean and a ref that should be assigned to the element root. Alternatively pass a plain child, to have the <InView /> deal with the wrapping element. You will also get the IntersectionObserverEntry as entry, giving you more details.

Intersection Observer v2 🧪

The new v2 implementation of IntersectionObserver extends the original API, so you can track if the element is covered by another element or has filters applied to it. Useful for blocking clickjacking attempts or tracking ad exposure.

To use it, you'll need to add the new trackVisibility and delay options. When you get the entry back, you can then monitor if isVisible is true.

const TrackVisible = () => {
  const { ref, entry } = useInView({ trackVisibility: true, delay: 100 });
  return <div ref={ref}>{entry?.isVisible}</div>;
};

This is still a very new addition, so check caniuse for current browser support. If trackVisibility has been set, and the current browser doesn't support it, a fallback has been added to always report isVisible as true.

It's not added to the TypeScript lib.d.ts file yet, so you will also have to extend the IntersectionObserverEntry with the isVisible boolean.

Recipes

The IntersectionObserver itself is just a simple but powerful tool. Here's a few ideas for how you can use it.

FAQ

How can I assign multiple refs to a component?

You can wrap multiple ref assignments in a single useCallback:

import React, { useRef, useCallback } from "react";
import { useInView } from "react-intersection-observer";

function Component(props) {
  const ref = useRef();
  const { ref: inViewRef, inView } = useInView();

  // Use `useCallback` so we don't recreate the function on each render
  const setRefs = useCallback(
    (node) => {
      // Ref's from useRef needs to have the node assigned to `current`
      ref.current = node;
      // Callback refs, like the one from `useInView`, is a function that takes the node as an argument
      inViewRef(node);
    },
    [inViewRef],
  );

  return <div ref={setRefs}>Shared ref is visible: {inView}</div>;
}

rootMargin isn't working as expected

When using rootMargin, the margin gets added to the current root - If your application is running inside a <iframe>, or you have defined a custom root this will not be the current viewport.

You can read more about this on these links:

Testing

[!TIP] Consider using Vitest Browser Mode instead of jsdom or happy-dom. This option allows you to utilize the real browser implementation and triggers correctly when scrolling or adding elements to the viewport. You can skip the react-intersection-observer/test-utils, or use it as needed.

In order to write meaningful tests, the IntersectionObserver needs to be mocked. You can use the included react-intersection-observer/test-utils to help with this. It mocks the IntersectionObserver, and includes a few methods to assist with faking the inView state. When setting the isIntersecting value you can pass either a boolean value or a threshold between 0 and 1. It will emulate the real IntersectionObserver, allowing you to validate that your components are behaving as expected.

MethodDescription
mockAllIsIntersecting(isIntersecting)Set isIntersecting on all current Intersection Observer instances. The value of isIntersecting should be either a boolean or a threshold between 0 and 1.
mockIsIntersecting(element, isIntersecting)Set isIntersecting for the Intersection Observer of a specific element. The value of isIntersecting should be either a boolean or a threshold between 0 and 1.
intersectionMockInstance(element)Call the intersectionMockInstance method with an element, to get the (mocked) IntersectionObserver instance. You can use this to spy on the observe andunobserve methods.
setupIntersectionMocking(mockFn)Mock the IntersectionObserver, so we can interact with them in tests - Should be called in beforeEach. (Done automatically in Jest environment)
resetIntersectionMocking()Reset the mocks on IntersectionObserver - Should be called in afterEach. (Done automatically in Jest/Vitest environment)
destroyIntersectionMocking()Destroy the mocked IntersectionObserver function, and return window.IntersectionObserver to the original browser implementation

Testing Libraries

This library comes with built-in support for writing tests in both Jest and Vitest

Jest

Testing with Jest should work out of the box. Just import the react-intersection-observer/test-utils in your test files, and you can use the mocking methods.

Vitest

If you're running Vitest with globals, then it'll automatically mock the IntersectionObserver, just like running with Jest. Otherwise, you'll need to manually setup/reset the mocking in either the individual tests, or a setup file.

import { vi, beforeEach, afterEach } from "vitest";
import {
  setupIntersectionMocking,
  resetIntersectionMocking,
} from "react-intersection-observer/test-utils";

beforeEach(() => {
  setupIntersectionMocking(vi.fn);
});

afterEach(() => {
  resetIntersectionMocking();
});

You only need to do this if the test environment does not support beforeEach globally, alongside either jest.fn or vi.fn.

Other Testing Libraries

See the instructions for Vitest. You should be able to use a similar setup/reset code, adapted to the testing library you are using. Failing that, copy the code from test-utils.ts, and make your own version.

Fallback Behavior

You can create a Jest setup file that leverages the unsupported fallback option. In this case, you can override the IntersectionObserver in test files were you actively import react-intersection-observer/test-utils.

test-setup.js

import { defaultFallbackInView } from "react-intersection-observer";

defaultFallbackInView(true); // or `false` - whichever consistent behavior makes the most sense for your use case.

Alternatively, you can mock the Intersection Observer in all tests with a global setup file. Add react-intersection-observer/test-utils to setupFilesAfterEnv in the Jest config, or setupFiles in Vitest.

module.exports = {
  setupFilesAfterEnv: ["react-intersection-observer/test-utils"],
};

Test Example

import React from "react";
import { screen, render } from "@testing-library/react";
import { useInView } from "react-intersection-observer";
import {
  mockAllIsIntersecting,
  mockIsIntersecting,
  intersectionMockInstance,
} from "react-intersection-observer/test-utils";

const HookComponent = ({ options }) => {
  const { ref, inView } = useInView(options);
  return (
    <div ref={ref} data-testid="wrapper">
      {inView.toString()}
    </div>
  );
};

test("should create a hook inView", () => {
  render(<HookComponent />);

  // This causes all (existing) IntersectionObservers to be set as intersecting
  mockAllIsIntersecting(true);
  screen.getByText("true");
});

test("should create a hook inView with threshold", () => {
  render(<HookComponent options={{ threshold: 0.3 }} />);

  mockAllIsIntersecting(0.1);
  screen.getByText("false");

  // Once the threshold has been passed, it will trigger inView.
  mockAllIsIntersecting(0.3);
  screen.getByText("true");
});

test("should mock intersecing on specific hook", () => {
  render(<HookComponent />);
  const wrapper = screen.getByTestId("wrapper");

  // Set the intersection state on the wrapper.
  mockIsIntersecting(wrapper, 0.5);
  screen.getByText("true");
});

test("should create a hook and call observe", () => {
  const { getByTestId } = render(<HookComponent />);
  const wrapper = getByTestId("wrapper");
  // Access the `IntersectionObserver` instance for the wrapper Element.
  const instance = intersectionMockInstance(wrapper);

  expect(instance.observe).toHaveBeenCalledWith(wrapper);
});

Intersection Observer

Intersection Observer is the API used to determine if an element is inside the viewport or not. Browser support is excellent - With Safari adding support in 12.1, all major browsers now support Intersection Observers natively. Add the polyfill, so it doesn't break on older versions of iOS and IE11.

Unsupported fallback

If the client doesn't have support for the IntersectionObserver, then the default behavior is to throw an error. This will crash the React application, unless you capture it with an Error Boundary.

If you prefer, you can set a fallback inView value to use if the IntersectionObserver doesn't exist. This will make react-intersection-observer fail gracefully, but you must ensure your application can correctly handle all your observers firing either true or false at the same time.

You can set the fallback globally:

import { defaultFallbackInView } from "react-intersection-observer";

defaultFallbackInView(true); // or 'false'

You can also define the fallback locally on useInView or <InView> as an option. This will override the global fallback value.

import React from "react";
import { useInView } from "react-intersection-observer";

const Component = () => {
  const { ref, inView, entry } = useInView({
    fallbackInView: true,
  });

  return (
    <div ref={ref}>
      <h2>{`Header inside viewport ${inView}.`}</h2>
    </div>
  );
};

Polyfill

You can import the polyfill directly or use a service like https://cdnjs.cloudflare.com/polyfill to add it when needed.

yarn add intersection-observer

Then import it in your app:

import "intersection-observer";

If you are using Webpack (or similar) you could use dynamic imports, to load the Polyfill only if needed. A basic implementation could look something like this:

/**
 * Do feature detection, to figure out which polyfills needs to be imported.
 **/
async function loadPolyfills() {
  if (typeof window.IntersectionObserver === "undefined") {
    await import("intersection-observer");
  }
}

Low level API

You can access the observe method, that react-intersection-observer uses internally to create and destroy IntersectionObserver instances. This allows you to handle more advanced use cases, where you need full control over when and how observers are created.

import { observe } from "react-intersection-observer";

const destroy = observe(element, callback, options);
NameTypeRequiredDescription
elementElementtrueDOM element to observe
callbackObserverInstanceCallbacktrueThe callback function that Intersection Observer will call
optionsIntersectionObserverInitfalseThe options for the Intersection Observer

The observe method returns an unobserve function, that you must call in order to destroy the observer again.

[!IMPORTANT] You most likely won't need this, but it can be useful if you need to handle IntersectionObservers outside React, or need full control over how instances are created.