# React技巧之具有空对象初始值的useState

原文链接:https://bobbyhadz.com/blog/react-typescript-usestate-empty-object (opens new window)

作者:Borislav Hadzhiev (opens new window)

正文从这开始~

# 类型声明useState

要在React中用一个空对象的初始值来类型声明useState钩子,可以使用钩子泛型。比如说:const [employee, setEmployee] = useState<{[key: string]: any}>({})state变量将被类型化为一个具有动态属性和值的对象。

// App.tsx

import {useEffect, useState} from 'react';

const App = () => {
  // 👇️ const employee: {[key: string]: any;}
  const [employee, setEmployee] = useState<{[key: string]: any}>({});

  useEffect(() => {
    setEmployee({
      name: 'Alice',
      salary: 100,
      department: 'Dev',
      tasks: ['dev', 'test', 'ship'],
    });
  }, []);

  return (
    <div>
      <h2>Name: {employee.name}</h2>
      <h2>Salary: {employee.salary}</h2>
    </div>
  );
};

export default App;
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26

{[key: string]: any}TypeScript中的索引签名语法,当我们不清楚一个类型的所有属性名称和值的时候,就可以使用索引签名。

示例中的索引签名意味着,当一个对象的索引是string时,将返回类型为any的值。

当你事先不知道对象的所有属性时,你可以使用这种方法。

你可以尝试用一个索引签名来覆盖一个特定属性的类型。

// App.tsx

import {useEffect, useState} from 'react';

type Employee = {
  [key: string]: any;
  age?: number;
  tasks?: string[];
};

const App = () => {
  // 👇️ const employee: {[key: string]: any;}
  const [employee, setEmployee] = useState<Employee>({});

  useEffect(() => {
    setEmployee({
      name: 'Alice',
      salary: 100,
      department: 'Dev',
      tasks: ['dev', 'test', 'ship'],
    });
  }, []);

  return (
    <div>
      <h2>Name: {employee.name}</h2>
      <h2>Salary: {employee.salary}</h2>
    </div>
  );
};

export default App;
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32

我们将agetasks属性标记为可选,并明确的为它们指定了类型。可选属性既可以拥有undefined值,也可以拥有指定的类型。这就是为什么我们仍然能够将state对象初始化为空对象。

然而,为我们事先知道的属性提供类型是十分有用的,因为agetasks属性只能被设置为指定的类型。

如果对象的属性可以是多个类型,那么就是用联合类型。

import {useEffect, useState} from 'react';

type Employee = {
  [key: string]: any;
  // 👇️ age is number OR string
  age?: number | string;
  tasks?: string[] | number[];
};

const App = () => {
  // 👇️ const employee: {[key: string]: any;}
  const [employee, setEmployee] = useState<Employee>({});

  useEffect(() => {
    setEmployee({
      name: 'Alice',
      salary: 100,
      department: 'Dev',
      tasks: ['dev', 'test', 'ship'],
    });
  }, []);

  return (
    <div>
      <h2>Name: {employee.name}</h2>
      <h2>Salary: {employee.salary}</h2>
    </div>
  );
};

export default App;
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31

我们使用了联合类型来将age属性设置为number类型或者string类型。

你可以重复上述过程,根据实际情况来包括尽可能多的类型。