chore: initial import

This commit is contained in:
u1
2026-01-06 12:33:47 +01:00
commit ed37565e25
38 changed files with 5707 additions and 0 deletions

View File

@@ -0,0 +1,15 @@
import { useEffect, useRef } from 'react';
export function useInterval(callback: () => void, delayMs: number | null) {
const cbRef = useRef(callback);
cbRef.current = callback;
useEffect(() => {
if (delayMs == null) return;
if (!Number.isFinite(delayMs) || delayMs < 0) return;
const id = window.setInterval(() => cbRef.current(), delayMs);
return () => window.clearInterval(id);
}, [delayMs]);
}

View File

@@ -0,0 +1,24 @@
import { useEffect, useState } from 'react';
export function useLocalStorageState<T>(key: string, initialValue: T) {
const [value, setValue] = useState<T>(() => {
try {
const raw = window.localStorage.getItem(key);
if (raw == null) return initialValue;
return JSON.parse(raw) as T;
} catch {
return initialValue;
}
});
useEffect(() => {
try {
window.localStorage.setItem(key, JSON.stringify(value));
} catch {
// ignore
}
}, [key, value]);
return [value, setValue] as const;
}