Research
Security News
Malicious npm Packages Inject SSH Backdoors via Typosquatted Libraries
Socket’s threat research team has detected six malicious npm packages typosquatting popular libraries to insert SSH backdoors.
react-timing-hooks
Advanced tools
React hooks for setTimeout, setInterval, requestAnimationFrame, requestIdleCallback
This is a very little package with React hooks wrapping time-related Vanilla JS functions, so you can use them with minimal effort in your React apps without having to worry about manual clean up, testing, or typing (if you use Typescript).
requestAnimationFrame()
setTimeout()
setInterval()
requestIdleCallback()
useAnimationFrameLoop
)# via npm
npm i react-timing-hooks
# via yarn
yarn add react-timing-hooks
https://ericlambrecht.github.io/react-timing-hooks/
useTimeout()
import { useState } from 'react'
import { useTimeout } from 'react-timing-hooks'
const HelloWorld = () => {
const [output, setOutput] = useState(null)
const onButtonClick = useTimeout(() => setOutput('Hello World'), 1000)
return <div>
<button onClick={onButtonClick}>Start timeout!</button>
<p>{output}</p>
</div>
}
useInterval()
import { useState } from 'react'
import { useInterval } from 'react-timing-hooks'
const StatusLogger = () => {
const { isPaused, pause, resume } = useInterval(() => console.log('status update'), 1000)
return <div>
<button onClick={isPaused ? resume : pause}>Toggle Status Update</button>
</div>
}
useTimer()
import { useState } from 'react'
import { useTimer } from 'react-timing-hooks'
const BrowsingTime = () => {
const elapsedSeconds = useTimer()
return <span>You've been browsing this page for {elapsedSeconds} seconds.</span>
}
useClock()
import { useState } from 'react'
import { useTimeout } from 'react-timing-hooks'
const Clock = () => {
// This will show a time like 1:13:56 PM (supports localized formats as well).
// The displayed time will update every second
const currentTime = useClock()
return <span>{currentTime}</span>
}
import { useState } from 'react'
import { useAnimationFrameLoop } from 'react-timing-hooks'
const Renderer = () => {
const [stop, setStop] = useState(false)
const delta = useRef(0)
const canvasRef = useRef(null)
const canvas = canvasRef.current
const context = canvas.getContext('2d')
const updateCanvas = (d) => {
context.fillStyle = '#000000'
context.fillRect(d, d, context.canvas.width, context.canvas.height)
}
useAnimationFrameLoop(() => {
delta.current += 1
updateCanvas(delta.current)
}, stop)
return <>
<canvas ref={canvasRef} {...props}/>
<button onClick={() => setStop(!stop)}>
Stop rendering
</button>
</>
}
I was once working for a company where the project required lots of timeouts and such. I quickly noticed that writing a timeout or anything similar requires a lot of boilerplate (if you don't do it quick and dirty). Dan Abramov showcased this in one of his blogposts a while a go.
This library is supposed to give you easy access to those time-related functionalities while keeping your code clean and concise.
You will not have to manually clean up timers or intervals (but you still can!).
Additionally, many frequent use cases have their own utility hook, like useClock
or useAnimationFrameLoop
.
Needless to say, every hook is already tested and typed (so you don't have to).
A simple timeout triggered by a button click for example would usually be written like so:
import { useEffect } from 'react'
const TimeoutRenderer = () => {
const [isHidden, setIsHidden] = useState(false)
const [id, setId] = useRef(null)
const onButtonClick = () => {
id.current = setTimeout(() => setOutput('Hello World'), 1000)
}
// clean up the timeout on unmount
useEffect(() => {
return () => {
clearTimeout(id.current)
}
}, [id])
return <div>
<button onClick={onButtonClick}>Start timeout!</button>
{isHidden && <p>Hide this message!</p>}
</div>
}
With react-timing-hooks
it would look like this:
import { useState } from 'react'
import { useTimeout } from 'react-timing-hooks'
const TimeoutRenderer = () => {
const [isHidden, setIsHidden] = useState(false)
const onButtonClick = useTimeout(() => setOutput('Hello World'), 1000)
return <div>
<button onClick={onButtonClick}>Start timeout!</button>
{isHidden && <p>Hide this message!</p>}
</div>
}
Another example: You might have a timeout that runs under a certain condition. In this case a cleanup
has to be done in a separate useEffect
call that cleans everything up (but only on unmount).
Your code could look like this:
import { useEffect } from 'react'
const TimeoutRenderer = ({ depA, depB }) => {
const [output, setOutput] = useState(null)
const timeoutId = useRef(null)
useEffect(() => {
if (depA && depB) {
timeoutId.current = setTimeout(() => setOutput('Hello World'), 1000)
}
}, [depA, depB])
useEffect(() => {
return function onUnmount() {
if (timeoutId.current !== null) {
clearTimeout(timeoutId.current)
}
}
}, [timeoutId])
return output ? (
<div>{output}</div>
) : null
}
With react-timing-hooks
you can just write:
import { useState } from 'react'
import { useTimeoutEffect } from 'react-timing-hooks'
const TimeoutRenderer = ({ depA, depB }) => {
const [output, setOutput] = useState(null)
useTimeoutEffect((timeout, clearAll) => {
if (depA && depB) {
timeout(() => setOutput('Hello World'), 1000)
}
// you could even add more timeouts in this effect without any more boilerplate
}, [depA, depB])
return output ? (
<div>{output}</div>
) : null
}
In this case react-timing-hooks
automatically took care of cleaning up the timeout for you (if the component is mounted for less than a second for instance).
You don't have to worry about memoization of your callbacks (by using useCallback
) for example. React Timing Hooks is taking care of that for you. So even if you pass a simple inline arrow function to one of these hooks, the return value (if there is one) will not change on every render but instead stay the same (i.e. it will be memoized).
This means something like this is safe to do:
const [foo, setFoo] = useState(null)
const onFooChange = useTimeout(() => console.log('foo changed one second ago!'), 1000)
// the following effect will run only when "foo" changes, just as expected.
// "onFooChange" is memoized and safe to use in a dependency array.
useEffect(() => {
onFooChange()
}, [foo, onFooChange])
The whole lib is tree-shakable, i.e. only hooks you actually use end up in your bundle. So far, we also do not use any transitive dependencies. So don't worry about the bundle size.
But check for yourself: https://bundlephobia.com/result?p=react-timing-hooks
see CONTRIBUTING.md
4.0.0 (2022-12-18)
useTimeout()
will not implicitly debounce its callbacks anymore. A new hook useDebounce()
was added to explicitly use this feature properly.useCountdown()
will now have a mandatory end param and will automatically stop and fire an event when this value is reached.useClock()
is now an array: [time, controls]
(controls being pause/resume, start/stop etc.).useTimer()
is now an array: [timerValue, controls]
(controls being pause/resume, start/stop etc.)options.startOnMount
. This change affects useInterval
, useCounter
, useTimer
and useCountdown
.useAnimationFrameLoop()
in favor of controls like they are used in useInterval()
, useCounter()
etc. By default, the hook also won't start to loop on mount anymore (though this is still available as an option).end
to useCountdown()
and an event to listen to (2e5b6c9)useDebounce()
(15aca52)useThrottle()
for rate-limiting (224c15b)FAQs
React hooks for setTimeout, setInterval, requestAnimationFrame, requestIdleCallback
The npm package react-timing-hooks receives a total of 873 weekly downloads. As such, react-timing-hooks popularity was classified as not popular.
We found that react-timing-hooks demonstrated a healthy version release cadence and project activity because the last version was released less than a year ago. It has 0 open source maintainers collaborating on the project.
Did you know?
Socket for GitHub automatically highlights issues in each pull request and monitors the health of all your open source dependencies. Discover the contents of your packages and block harmful activity before you install or update your dependencies.
Research
Security News
Socket’s threat research team has detected six malicious npm packages typosquatting popular libraries to insert SSH backdoors.
Security News
MITRE's 2024 CWE Top 25 highlights critical software vulnerabilities like XSS, SQL Injection, and CSRF, reflecting shifts due to a refined ranking methodology.
Security News
In this segment of the Risky Business podcast, Feross Aboukhadijeh and Patrick Gray discuss the challenges of tracking malware discovered in open source softare.