Skip to content
On this page

useLocalStorage

功能说明

提供了一个方便的接口来读写 LocalStorage,并且在跨标签页时能自动同步状态。

适用场景

  • ✅ 用户配置保存(暗色模式、侧边栏收起等)
  • ✅ 表单草稿自动保存

快速开始

tsx
import { useLocalStorage } from '@/hooks/react/useLocalStorage';

function App() {
  const [name, setName] = useLocalStorage('user-name', 'Guest');
  return <input value={name} onChange={e => setName(e.target.value)} />;
}
1
2
3
4
5
6

API 文档

参数

参数类型默认值必填说明
keystring-存储的 Key
initialValueT-初始值

返回值

属性类型说明
storedValueT当前存储的值
setValue(val: T) => void更新值的函数

完整代码

点击查看
typescript
import { useState, useEffect } from 'react';

export function useLocalStorage<T>(key: string, initialValue: T) {
  const [storedValue, setStoredValue] = useState<T>(() => {
    try {
      const item = window.localStorage.getItem(key);
      return item ? JSON.parse(item) : initialValue;
    } catch (error) {
      return initialValue;
    }
  });

  const setValue = (value: T | ((val: T) => T)) => {
    const valueToStore = value instanceof Function ? value(storedValue) : value;
    setStoredValue(valueToStore);
    window.localStorage.setItem(key, JSON.stringify(valueToStore));
  };

  return [storedValue, setValue] as const;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20