typescript 打字错误:类型"A"上不存在属性"a"

h6my8fg2  于 2023-02-14  发布在  TypeScript
关注(0)|答案(1)|浏览(254)

下面是我所拥有的类型的一个示例

  1. type Place = {
  2. address: string
  3. }
  4. type Location = {
  5. latLng: string
  6. }
  7. type User = {
  8. name: string
  9. } & (Place | Location)

所以当我试图在解析数据时使用它

  1. const { name, address, latLng } = user;

它显示TS错误类型“User”上不存在属性“address”
从技术上讲,我知道地址或latLng将出现,但不是两者都出现,这是我需要的,我的逻辑将在解析数据时验证它。但如何让TS知道这一点,并删除此错误?

pkwftd7m

pkwftd7m1#

这是使用never的一个很好的地方。这允许您设置User的两个“配置”,它们将具有Place或Loc。Place类型强制执行未定义的latLng,而Loc类型强制执行未定义的地址。User是({name: string} & Place) | ({name: string} & Loc)中的一个,因此尽管所有三个字段都存在于联合体中的两种类型中,地址或latLng将基于另一个的存在而未定义。

  1. type Place = {
  2. address: string;
  3. latLng?: never;
  4. };
  5. type Loc = {
  6. latLng: string;
  7. address?: never;
  8. };
  9. type User = {
  10. name: string;
  11. } & (Place | Loc);
  12. function test1() {
  13. // Valid, latLng is undefined
  14. const user: User = { name: "User", address: "1234 Somewhere St" };
  15. const { address, latLng, name } = user;
  16. }
  17. function test2() {
  18. // Valid, address is undefined
  19. const user: User = { name: "User", latLng: "123,456" };
  20. const { address, latLng, name } = user;
  21. }
  22. function test3() {
  23. // Invalid, both address and latLng are present
  24. const user: User = {
  25. name: "User",
  26. latLng: "123,456",
  27. address: "1234 Somewhere St",
  28. };
  29. const { address, latLng, name } = user;
  30. }

(Playground链接)
这给了你一个类型,它可以定义addresslatLng,但不能同时定义两者。你可以从user中解构出这两个值,但其中一个是未定义的。

展开查看全部

相关问题