5

在一个文件中,我有这样的内容:

export const _all = {
  a: '',
  b: '',
  c: '',
  d: '',
  e: '',
  f: '',
}
type AllKeysType = typeof _all;
export type AllKey = keyof AllKeysType;

在另一个文件中,我有这样的东西:

export const _keep = {
  a: '',
  b: '',
  d: '',
  e: '',
}
type KeepKeysType = typeof _keep;
export type KeepKey = keyof KeepKeysType;

export const _ignore = {
  c: '',
  f: '',
}
type IgnoreKeysType = typeof _ignore;
export type IgnoreKey = keyof IgnoreKeysType;

如何使用 Typescript 断言_allALWAYS 中定义的键等于 and 的_keep并集_ignore。换句话说,AllKey应该总是等于KeepKey| IgnoreKey.

_all我希望 Typescript 编译器在开发人员通过添加新值(比如z)进行更新但忘记添加z_keepor时给我一个错误_ignore

4

1 回答 1

7

这可以通过定义一个接受两种类型并解析true输入类型是否相等的条件类型来实现false。然后编写一些代码,当该类型不是时会抛出编译错误true

当任何一种类型发生变化时,您都会收到一个编译错误,这将确保您记得更新任何不同步的类型。当您希望收到有关不同库中类型更改的通知时,这尤其有用。

例如:

type IsExact<T, U> = [T] extends [U] ? [U] extends [T] ? true : false : false;
function assert<T extends true | false>(expectTrue: T) {}

// this will throw a compile error when the two types get out of sync
assert<IsExact<AllKey, KeepKey | IgnoreKey>>(true);

更健壮的代码更长一些(例如处理any类型),但它已在我的库中汇总在这里

import { assert, IsExact } from "conditional-type-checks";

// define or import AllKey, KeepKey, IgnoreKey

assert<IsExact<AllKey, KeepKey | IgnoreKey>>(true);

另外的选择

另一种不太好的方法是创建两种类型的两个对象并将它们分配给彼此。

() => {
  let allKeys: AllKey;
  let otherKeys: KeepKey | IgnoreKey;

  // do this in lambdas to prevent the first assignment from changing
  // the type of the variable being assigned to
  () => allKeys = otherKeys;
  () => otherKeys = allKeys;
};
于 2019-03-07T14:49:59.317 回答