2022-04-08 10:04:16 +00:00
|
|
|
import { useEffect, useState } from "react";
|
|
|
|
|
|
|
|
/**
|
|
|
|
* replacement from the React useState hook that will persist the state in local storage
|
|
|
|
*
|
|
|
|
* @param defaultValue The default value to use if there was nothing saved previously OR
|
|
|
|
* a function that will take the saved value and return a modified new value to start with
|
|
|
|
* @param key a key for saving the state in locolStorage
|
|
|
|
* @returns
|
|
|
|
*/
|
2022-04-09 18:09:21 +00:00
|
|
|
export default function useStickyState<T extends string | number | object | boolean | undefined | null>(defaultValue: T | ((old: T | undefined) => T), key: string): [
|
2022-04-09 17:31:55 +00:00
|
|
|
value: T,
|
|
|
|
setValue: React.Dispatch<React.SetStateAction<T>>,
|
2022-04-08 10:04:16 +00:00
|
|
|
] {
|
|
|
|
const [value, setValue] = useState<T>(() => {
|
|
|
|
const v = window.localStorage.getItem(key);
|
|
|
|
// nothing saved
|
|
|
|
if (v === null) {
|
|
|
|
if (typeof defaultValue === "function") {
|
|
|
|
return defaultValue(undefined);
|
|
|
|
}
|
|
|
|
return defaultValue;
|
|
|
|
}
|
|
|
|
// something saved before
|
|
|
|
try {
|
|
|
|
const old = JSON.parse(v) as T;
|
|
|
|
if (typeof defaultValue === "function") {
|
|
|
|
return defaultValue(old);
|
|
|
|
}
|
2022-04-09 17:31:55 +00:00
|
|
|
return old;
|
2022-04-08 10:04:16 +00:00
|
|
|
} catch (e) {
|
|
|
|
console.error("error parsting saved state from stickState");
|
|
|
|
return (typeof defaultValue === "function")
|
|
|
|
? defaultValue(undefined)
|
|
|
|
: defaultValue;
|
|
|
|
}
|
|
|
|
});
|
|
|
|
|
|
|
|
useEffect(() => {
|
|
|
|
window.localStorage.setItem(key, JSON.stringify(value));
|
|
|
|
}, [key, value]);
|
|
|
|
|
|
|
|
return [value, setValue];
|
|
|
|
}
|