Gathering detailed insights and metrics for use-resize-observer
Gathering detailed insights and metrics for use-resize-observer
Gathering detailed insights and metrics for use-resize-observer
Gathering detailed insights and metrics for use-resize-observer
@react-hook/resize-observer
A React hook that fires a callback whenever ResizeObserver detects a change to its size
@ng-web-apis/resize-observer
A library for declarative use of Resize Observer API with Angular
@yamada-ui/use-resize-observer
Yamada UI useResizeObserver custom hook
use-measure
It's just a React hook for resize-observer, uses resize-observer-polyfill. Inspired by [react-measure](https://github.com/souporserious/react-measure)
A React hook that allows you to use a ResizeObserver to measure an element's size.
npm install use-resize-observer
Typescript
Module System
Node Version
NPM Version
95.3
Supply Chain
93.5
Quality
75.8
Maintenance
100
Vulnerability
100
License
TypeScript (90.6%)
JavaScript (9.32%)
Shell (0.08%)
Love this project? Help keep it running — sponsor us today! 🚀
Total Downloads
273,681,996
Last Day
433,411
Last Week
2,308,687
Last Month
9,732,444
Last Year
136,500,804
MIT License
659 Stars
127 Commits
43 Forks
5 Watchers
3 Branches
4 Contributors
Updated on Feb 07, 2025
Minified
Minified + Gzipped
Latest Version
9.1.0
Package Id
use-resize-observer@9.1.0
Unpacked Size
59.06 kB
Size
13.98 kB
File Count
11
NPM Version
8.12.1
Node Version
14.20.1
Cumulative downloads
Total Downloads
Last Day
-3.6%
433,411
Compared to previous day
Last Week
3.3%
2,308,687
Compared to previous week
Last Month
57.2%
9,732,444
Compared to previous month
Last Year
25.8%
136,500,804
Compared to previous year
1
50
A React hook that allows you to use a ResizeObserver to measure an element's size.
box
option.1yarn add use-resize-observer --dev 2# or 3npm install use-resize-observer --save-dev
Option | Type | Description | Default |
---|---|---|---|
ref | undefined | RefObject | HTMLElement | A ref or element to observe. | undefined |
box | undefined | "border-box" | "content-box" | "device-pixel-content-box" | The box model to use for observation. | "content-box" |
onResize | undefined | ({ width?: number, height?: number }) => void | A callback receiving the element size. If given, then the hook will not return the size, and instead will call this callback. | undefined |
round | undefined | (n: number) => number | A function to use for rounding values instead of the default. | Math.round() |
Name | Type | Description |
---|---|---|
ref | RefCallback | A callback to be passed to React's "ref" prop. |
width | undefined | number | The width (or "blockSize") of the element. |
height | undefined | number | The height (or "inlineSize") of the element. |
Note that the default builds are not polyfilled! For instructions and alternatives, see the Transpilation / Polyfilling section.
1import React from "react"; 2import useResizeObserver from "use-resize-observer"; 3 4const App = () => { 5 const { ref, width = 1, height = 1 } = useResizeObserver<HTMLDivElement>(); 6 7 return ( 8 <div ref={ref}> 9 Size: {width}x{height} 10 </div> 11 ); 12};
To observe a different box size other than content box, pass in the box
option, like so:
1const { ref, width, height } = useResizeObserver<HTMLDivElement>({ 2 box: "border-box", 3});
Note that if the browser does not support the given box type, then the hook won't report any sizes either.
Note that box options are experimental, and as such are not supported by all browsers that implemented ResizeObservers. (See here.)
content-box
(default)
Safe to use by all browsers that implemented ResizeObservers. The hook internally will fall back to contentRect
from
the old spec in case contentBoxSize
is not available.
border-box
Supported well for the most part by evergreen browsers. If you need to support older versions of these browsers however, then you may want to feature-detect for support, and optionally include a polyfill instead of the native implementation.
device-pixel-content-box
Surma has a very good article on how this allows us to do pixel perfect
rendering. At the time of writing, however this has very limited support.
The advices on feature detection for border-box
apply here too.
By default this hook passes the measured values through Math.round()
, to avoid re-rendering on every subpixel changes.
If this is not what you want, then you can provide your own function:
Rounding Down Reported Values
1const { ref, width, height } = useResizeObserver<HTMLDivElement>({ 2 round: Math.floor, 3});
Skipping Rounding
1import React from "react"; 2import useResizeObserver from "use-resize-observer"; 3 4// Outside the hook to ensure this instance does not change unnecessarily. 5const noop = (n) => n; 6 7const App = () => { 8 const { 9 ref, 10 width = 1, 11 height = 1, 12 } = useResizeObserver<HTMLDivElement>({ round: noop }); 13 14 return ( 15 <div ref={ref}> 16 Size: {width}x{height} 17 </div> 18 ); 19};
Note that the round option is sensitive to the function reference, so make sure you either use useCallback
or declare your rounding function outside of the hook's function scope, if it does not rely on any hook state.
(As shown above.)
RefCallback
Note that "ref" in the above examples is a RefCallback
, not a RefObject
, meaning you won't be
able to access "ref.current" if you need the element itself.
To get the raw element, either you use your own RefObject (see later in this doc), or you can merge the returned ref with one of your own:
1import React, { useCallback, useEffect, useRef } from "react"; 2import useResizeObserver from "use-resize-observer"; 3import mergeRefs from "react-merge-refs"; 4 5const App = () => { 6 const { ref, width = 1, height = 1 } = useResizeObserver<HTMLDivElement>(); 7 8 const mergedCallbackRef = mergeRefs([ 9 ref, 10 (element: HTMLDivElement) => { 11 // Do whatever you want with the `element`. 12 }, 13 ]); 14 15 return ( 16 <div ref={mergedCallbackRef}> 17 Size: {width}x{height} 18 </div> 19 ); 20};
ref
You can pass in your own ref instead of using the one provided. This can be useful if you already have a ref you want to measure.
1const ref = useRef<HTMLDivElement>(null); 2const { width, height } = useResizeObserver<HTMLDivElement>({ ref });
You can even reuse the same hook instance to measure different elements:
There might be situations where you have an element already that you need to measure.
ref
now accepts elements as well, not just refs, which means that you can do this:
1const { width, height } = useResizeObserver<HTMLDivElement>({ 2 ref: divElement, 3});
The hook reacts to ref changes, as it resolves it to an element to observe.
This means that you can freely change the custom ref
option from one ref to
another and back, and the hook will start observing whatever is set in its options.
In certain cases you might want to delay creating a ResizeObserver instance.
You might provide a library, that only optionally provides observation features based on props, which means that while you have the hook within your component, you might not want to actually initialise it.
Another example is that you might want to entirely opt out of initialising, when
you run some tests, where the environment does not provide the ResizeObserver
.
You can do one of the following depending on your needs:
ref
RefCallback, or provide a custom ref conditionally,
only when needed. The hook will not create a ResizeObserver instance up until
there's something there to actually observe.By the default the hook will trigger a re-render on all changes to the target element's width and / or height.
You can opt out of this behaviour, by providing an onResize
callback function,
which'll simply receive the width and height of the element when it changes, so
that you can decide what to do with it:
1import React from "react"; 2import useResizeObserver from "use-resize-observer"; 3 4const App = () => { 5 // width / height will not be returned here when the onResize callback is present 6 const { ref } = useResizeObserver<HTMLDivElement>({ 7 onResize: ({ width, height }) => { 8 // do something here. 9 }, 10 }); 11 12 return <div ref={ref} />; 13};
This callback also makes it possible to implement your own hooks that report only what you need, for example:
requestAnimationFrame
As this hook intends to remain low-level, it is encouraged to build on top of it via hook composition, if additional features are required.
You might want to receive values less frequently than changes actually occur.
Another popular concept are breakpoints. Here is an example for a simple hook accomplishing that.
On initial mount the ResizeObserver will take a little time to report on the actual size.
Until the hook receives the first measurement, it returns undefined
for width
and height by default.
You can override this behaviour, which could be useful for SSR as well.
1const { ref, width = 100, height = 50 } = useResizeObserver<HTMLDivElement>();
Here "width" and "height" will be 100 and 50 respectively, until the ResizeObserver kicks in and reports the actual size.
If you only want real measurements (only values from the ResizeObserver without any default values), then you can just leave defaults off:
1const { ref, width, height } = useResizeObserver<HTMLDivElement>();
Here "width" and "height" will be undefined until the ResizeObserver takes its first measurement.
It's possible to apply styles conditionally based on the width / height of an element using a CSS-in-JS solution, which is the basic idea behind container/element queries:
By default the library provides transpiled ES5 modules in CJS / ESM module formats.
Polyfilling is recommended to be done in the host app, and not within imported libraries, as that way consumers have control over the exact polyfills being used.
That said, there's a polyfilled CJS module that can be used for convenience:
1import useResizeObserver from "use-resize-observer/polyfilled";
Note that using the above will use the polyfill, even if the native ResizeObserver is available.
To use the polyfill as a fallback only when the native RO is unavailable, you can polyfill yourself instead,
either in your app's entry file, or you could create a local useResizeObserver
module, like so:
1// useResizeObserver.ts 2import { ResizeObserver } from "@juggle/resize-observer"; 3import useResizeObserver from "use-resize-observer"; 4 5if (!window.ResizeObserver) { 6 window.ResizeObserver = ResizeObserver; 7} 8 9export default useResizeObserver;
The same technique can also be used to provide any of your preferred ResizeObserver polyfills out there.
MIT
No vulnerabilities found.
Reason
no dangerous workflow patterns detected
Reason
no binaries found in the repo
Reason
license file detected
Details
Reason
dependency not pinned by hash detected -- score normalized to 0
Details
Reason
0 commit(s) and 1 issue activity found in the last 90 days -- score normalized to 0
Reason
Found 0/29 approved changesets -- score normalized to 0
Reason
detected GitHub workflow tokens with excessive permissions
Details
Reason
no effort to earn an OpenSSF best practices badge detected
Reason
security policy file not detected
Details
Reason
project is not fuzzed
Details
Reason
Project has not signed or included provenance with any releases.
Details
Reason
branch protection not enabled on development/release branches
Details
Reason
SAST tool is not run on all commits -- score normalized to 0
Details
Reason
39 existing vulnerabilities detected
Details
Score
Last Scanned on 2025-02-10
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