mirror of
https://github.com/overleaf/overleaf.git
synced 2024-10-24 21:12:38 -04:00
910e07ca1c
GitOrigin-RevId: 41ee6b6873a01fbfedc41a884b9e3ebee47fc08f
60 lines
1.4 KiB
TypeScript
60 lines
1.4 KiB
TypeScript
import {
|
|
useState,
|
|
useCallback,
|
|
useEffect,
|
|
SetStateAction,
|
|
Dispatch,
|
|
} from 'react'
|
|
import _ from 'lodash'
|
|
import localStorage from '../../infrastructure/local-storage'
|
|
|
|
function usePersistedState<T = any>(
|
|
key: string,
|
|
defaultValue?: T,
|
|
listen = false
|
|
): [T, Dispatch<SetStateAction<T>>] {
|
|
const [value, setValue] = useState<T>(() => {
|
|
return localStorage.getItem(key) ?? defaultValue
|
|
})
|
|
|
|
const updateFunction = useCallback(
|
|
(newValue: SetStateAction<T>) => {
|
|
setValue(value => {
|
|
const actualNewValue = _.isFunction(newValue)
|
|
? newValue(value)
|
|
: newValue
|
|
|
|
if (actualNewValue === defaultValue) {
|
|
localStorage.removeItem(key)
|
|
} else {
|
|
localStorage.setItem(key, actualNewValue)
|
|
}
|
|
|
|
return actualNewValue
|
|
})
|
|
},
|
|
[key, defaultValue]
|
|
)
|
|
|
|
useEffect(() => {
|
|
if (listen) {
|
|
const listener = (event: StorageEvent) => {
|
|
if (event.key === key) {
|
|
// note: this value is read via getItem rather than from event.newValue
|
|
// because getItem handles deserializing the JSON that's stored in localStorage.
|
|
setValue(localStorage.getItem(key) ?? defaultValue)
|
|
}
|
|
}
|
|
|
|
window.addEventListener('storage', listener)
|
|
|
|
return () => {
|
|
window.removeEventListener('storage', listener)
|
|
}
|
|
}
|
|
}, [key, listen, defaultValue])
|
|
|
|
return [value, updateFunction]
|
|
}
|
|
|
|
export default usePersistedState
|