TypeScript/React 中的枚举索引签名

Enum index signatures in TypeScript/React

我似乎不知道如何在此处正确键入索引签名。我有一个枚举,需要遍历它以在屏幕上放置一些 JSX。我能猜到它在告诉我什么,但我无法在我的代码中解决它。 Category[el] 语句都是问题。

export enum Category {
    All = 'ALL',
    Employee = 'EMPLOYEE',
    Gear = 'GEAR',
    Room = 'ROOM',
    Other = 'OTHER',
}

我渲染一些 JSX 的简化函数是:

    const renderCategories = (): ReactElement | ReactElement[] => {
        return Object.keys(Category).map(el => {
            return (
                <Option key={el} value={Category[el]}>
                    <span>{` (${someOtherData.filter((e) => e.type === Category[el].length})`}</span>
                </Option>
            );
        });
    };

TS告诉我:

Element implicitly has an 'any' type because expression of type 'string' can't be used to index type 'typeof Category'.
  No index signature with a parameter of type 'string' was found on type 'typeof Category'.

您可以将以下索引签名添加到枚举中:

export enum Category {
    All = 'ALL',
    Employee = 'EMPLOYEE',
    Gear = 'GEAR',
    Room = 'ROOM',
    Other = 'OTHER',
    [key: string]: string,
}

这个用例很常见,因为使用 Object.keys 总是将每个键推断为 string,这与 enum 之类的键或具有特定类型的对象不兼容。

但是 Typescript 仍然允许我们将每个键转换为一个类型,这意味着我们只是简单地转换回上述枚举的类型。

这是反映上述解释的片段:

export enum Category {
  All = 'ALL',
  Employee = 'EMPLOYEE',
  Gear = 'GEAR',
  Room = 'ROOM',
  Other = 'OTHER',
}

// A common type to detect the enum type

type EnumType = typeof Category;
type EnumKeyType = keyof EnumType;

// Then cast back to our desired type

someOtherData.filter((e) => e.type === Category[el as EnumKeyType].length) // cast `el as EnumKeyType`