Gathering detailed insights and metrics for react-intersection-observer
Gathering detailed insights and metrics for react-intersection-observer
Gathering detailed insights and metrics for react-intersection-observer
Gathering detailed insights and metrics for react-intersection-observer
@alexvcasillas/use-observer
React Intersection Observer implementation done right!
react-intersection-observer-hook
React hook to use IntersectionObserver declaratively.
@researchgate/react-intersection-observer
React component for the Intersection Observer API
@shopify/react-intersection-observer
A React wrapper around the Intersection Observer API
React implementation of the Intersection Observer API to tell you when an element enters or leaves the viewport.
npm install react-intersection-observer
Module System
Min. Node Version
Typescript Support
Node Version
NPM Version
5,098 Stars
767 Commits
186 Forks
19 Watching
2 Branches
40 Contributors
Updated on 26 Nov 2024
Minified
Minified + Gzipped
TypeScript (98.35%)
HTML (0.97%)
MDX (0.37%)
JavaScript (0.31%)
Cumulative downloads
Total Downloads
Last day
-3.7%
374,713
Compared to previous day
Last week
4%
2,004,193
Compared to previous week
Last month
11.7%
8,237,949
Compared to previous month
Last year
43.1%
90,341,789
Compared to previous year
23
React implementation of the Intersection Observer API to tell you when an element enters or leaves the viewport. Contains both a Hooks, render props and plain children implementation.
useInView
it's easier than ever to
monitor elementsuseInView
and ~1.6kB for
<InView>
Install the package with your package manager of choice:
1npm install react-intersection-observer --save
useInView
hook1// Use object destructuring, so you don't need to remember the exact order 2const { ref, inView, entry } = useInView(options); 3 4// Or array destructuring, making it easy to customize the field names 5const [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.
1import React from "react"; 2import { useInView } from "react-intersection-observer"; 3 4const Component = () => { 5 const { ref, inView, entry } = useInView({ 6 /* Optional options */ 7 threshold: 0, 8 }); 9 10 return ( 11 <div ref={ref}> 12 <h2>{`Header inside viewport ${inView}.`}</h2> 13 </div> 14 ); 15};
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.
1import { InView } from "react-intersection-observer"; 2 3const Component = () => ( 4 <InView> 5 {({ inView, ref, entry }) => ( 6 <div ref={ref}> 7 <h2>{`Header inside viewport ${inView}.`}</h2> 8 </div> 9 )} 10 </InView> 11); 12 13export default Component;
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.
1import { InView } from "react-intersection-observer"; 2 3const Component = () => ( 4 <InView as="div" onChange={(inView, entry) => console.log("Inview:", inView)}> 5 <h2>Plain children are always rendered. Use onChange to monitor state.</h2> 6 </InView> 7); 8 9export 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 aclassName
to style the<InView />
. The component does not support Ref Forwarding, so if you need aref
to the HTML element, use the Render Props version instead.
Provide these as the options argument in the useInView
hook or as props on the
<InView />
component.
Name | Type | Default | Description |
---|---|---|---|
root | Element | document | The 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. |
rootMargin | string | '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%" . |
threshold | number or number[] | 0 | Number 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) => void | undefined | Call this function whenever the in view state changes. It will receive the inView boolean, alongside the current IntersectionObserverEntry . |
trackVisibility 🧪 | boolean | false | A boolean indicating whether this Intersection Observer will track visibility changes on the target. |
delay 🧪 | number | undefined | A 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 . |
skip | boolean | false | Skip 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. |
triggerOnce | boolean | false | Only trigger the observer once. |
initialInView | boolean | false | Set 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. |
fallbackInView | boolean | undefined | If 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() |
The <InView />
component also accepts the following props:
Name | Type | Default | Description |
---|---|---|---|
as | IntrinsicElement | '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 ReactNode | undefined | Children 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. |
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
.
1const TrackVisible = () => { 2 const { ref, entry } = useInView({ trackVisibility: true, delay: 100 }); 3 return <div ref={ref}>{entry?.isVisible}</div>; 4};
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.
The IntersectionObserver
itself is just a simple but powerful tool. Here's a
few ideas for how you can use it.
You can wrap multiple ref
assignments in a single useCallback
:
1import React, { useRef, useCallback } from "react"; 2import { useInView } from "react-intersection-observer"; 3 4function Component(props) { 5 const ref = useRef(); 6 const { ref: inViewRef, inView } = useInView(); 7 8 // Use `useCallback` so we don't recreate the function on each render 9 const setRefs = useCallback( 10 (node) => { 11 // Ref's from useRef needs to have the node assigned to `current` 12 ref.current = node; 13 // Callback refs, like the one from `useInView`, is a function that takes the node as an argument 14 inViewRef(node); 15 }, 16 [inViewRef], 17 ); 18 19 return <div ref={setRefs}>Shared ref is visible: {inView}</div>; 20}
rootMargin
isn't working as expectedWhen 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:
[!TIP] Consider using Vitest Browser Mode instead of
jsdom
orhappy-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 thereact-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.
Method | Description |
---|---|
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 environment) |
This library comes with built-in support for writing tests in both Jest and Vitest
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.
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.
1import { vi, beforeEach, afterEach } from "vitest"; 2import { 3 setupIntersectionMocking, 4 resetIntersectionMocking, 5} from "react-intersection-observer/test-utils"; 6 7beforeEach(() => { 8 setupIntersectionMocking(vi.fn); 9}); 10 11afterEach(() => { 12 resetIntersectionMocking(); 13});
You only need to do this if the test environment does not support beforeEach
globally, alongside either jest.fn
or vi.fn
.
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.
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
1import { defaultFallbackInView } from "react-intersection-observer"; 2 3defaultFallbackInView(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.
1module.exports = { 2 setupFilesAfterEnv: ["react-intersection-observer/test-utils"], 3};
1import React from "react"; 2import { screen, render } from "@testing-library/react"; 3import { useInView } from "react-intersection-observer"; 4import { 5 mockAllIsIntersecting, 6 mockIsIntersecting, 7 intersectionMockInstance, 8} from "react-intersection-observer/test-utils"; 9 10const HookComponent = ({ options }) => { 11 const { ref, inView } = useInView(options); 12 return ( 13 <div ref={ref} data-testid="wrapper"> 14 {inView.toString()} 15 </div> 16 ); 17}; 18 19test("should create a hook inView", () => { 20 render(<HookComponent />); 21 22 // This causes all (existing) IntersectionObservers to be set as intersecting 23 mockAllIsIntersecting(true); 24 screen.getByText("true"); 25}); 26 27test("should create a hook inView with threshold", () => { 28 render(<HookComponent options={{ threshold: 0.3 }} />); 29 30 mockAllIsIntersecting(0.1); 31 screen.getByText("false"); 32 33 // Once the threshold has been passed, it will trigger inView. 34 mockAllIsIntersecting(0.3); 35 screen.getByText("true"); 36}); 37 38test("should mock intersecing on specific hook", () => { 39 render(<HookComponent />); 40 const wrapper = screen.getByTestId("wrapper"); 41 42 // Set the intersection state on the wrapper. 43 mockIsIntersecting(wrapper, 0.5); 44 screen.getByText("true"); 45}); 46 47test("should create a hook and call observe", () => { 48 const { getByTestId } = render(<HookComponent />); 49 const wrapper = getByTestId("wrapper"); 50 // Access the `IntersectionObserver` instance for the wrapper Element. 51 const instance = intersectionMockInstance(wrapper); 52 53 expect(instance.observe).toHaveBeenCalledWith(wrapper); 54});
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.
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:
1import { defaultFallbackInView } from "react-intersection-observer"; 2 3defaultFallbackInView(true); // or 'false'
You can also define the fallback locally on useInView
or <InView>
as an
option. This will override the global fallback value.
1import React from "react"; 2import { useInView } from "react-intersection-observer"; 3 4const Component = () => { 5 const { ref, inView, entry } = useInView({ 6 fallbackInView: true, 7 }); 8 9 return ( 10 <div ref={ref}> 11 <h2>{`Header inside viewport ${inView}.`}</h2> 12 </div> 13 ); 14};
You can import the polyfill directly or use a service like https://cdnjs.cloudflare.com/polyfill to add it when needed.
1yarn add intersection-observer
Then import it in your app:
1import "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:
1/** 2 * Do feature detection, to figure out which polyfills needs to be imported. 3 **/ 4async function loadPolyfills() { 5 if (typeof window.IntersectionObserver === "undefined") { 6 await import("intersection-observer"); 7 } 8}
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.
1import { observe } from "react-intersection-observer"; 2 3const destroy = observe(element, callback, options);
Name | Type | Required | Description |
---|---|---|---|
element | Element | true | DOM element to observe |
callback | ObserverInstanceCallback | true | The callback function that Intersection Observer will call |
options | IntersectionObserverInit | false | The 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.
No vulnerabilities found.
Reason
no binaries found in the repo
Reason
15 commit(s) and 1 issue activity found in the last 90 days -- score normalized to 10
Reason
no dangerous workflow patterns detected
Reason
security policy file detected
Details
Reason
license file detected
Details
Reason
packaging workflow detected
Details
Reason
Found 2/16 approved changesets -- score normalized to 1
Reason
dependency not pinned by hash detected -- score normalized to 0
Details
Reason
detected GitHub workflow tokens with excessive permissions
Details
Reason
no effort to earn an OpenSSF best practices badge detected
Reason
project is not fuzzed
Details
Reason
SAST tool is not run on all commits -- score normalized to 0
Details
Reason
11 existing vulnerabilities detected
Details
Score
Last Scanned on 2024-11-18
The Open Source Security Foundation is a cross-industry collaboration to improve the security of open source software (OSS). The Scorecard provides security health metrics for open source projects.
Learn More