迹忆客 专注技术分享

当前位置:主页 > 学无止境 > 编程语言 > TypeScript >

TypeScript 中如何检查 Null 值

作者:迹忆客 最近更新:2022/09/28 浏览次数:

要在 TypeScript 中检查 null,请使用比较来检查值是否等于或不等于 null,例如 if (myValue === null) {}if (myValue !== null) {}。 如果满足条件,则 if 块将运行。

type Color = string | null;

const color: Color = null;

// ✅ Check if null
if (color === null) {
  console.log('value is equal to null');
} else {
  console.log('value is NOT equal to null');
}

// ✅ Check if NOT equal to null
if (color !== null) {
  console.log('value is NOT equal to null');
}

// ✅ Check if value is equal to null or undefined
if (color == null) {
  console.log('value is equal to null or undefined');
}

// ✅ Check if value is NOT equal to null or undefined
if (color != null) {
  console.log('value is NOT equal to null or undefined');
}

在我们的第一个 if 语句中,我们检查颜色变量是否存储空值。

第二个示例显示如何检查变量是否为空。

第三个示例使用松散等于 == 而不是严格等于 === 来检查变量是否等于 nullundefined

这会检查 nullundefined,因为在使用松散等号 (==) 时,null 等于 undefined

console.log(null == undefined); // 👉️ true

上面的 if 语句用作 TypeScript 中的类型保护。

type Person = {
  name: string | null;
};

const person: Person = {
  name: null,
};

if (person.name !== null) {
  // ✅ TypeScript knows person.name is string
  // 👇️ (property) name: string
  console.log(person.name);

  console.log(person.name.toLowerCase());
}

Person 类型的 name 属性可以是字符串或 null

在 if 语句中,我们检查属性是否不为空。

如果满足条件,TypeScript 知道唯一可能的其他类型是字符串,并允许我们使用特定于字符串的方法,例如 toLowerCase()

如果我们尝试直接调用 toLowerCase() 方法,而不检查属性是否为空,我们会得到一个错误。

type Person = {
  name: string | null;
};

const person: Person = {
  name: null,
};

// ⛔️ Error: Object is possibly 'null'.ts(2531)
console.log(person.name.toLowerCase())

typescript null 错误

我们还可以使用类型保护来检查属性是否为字符串,在这种情况下这将是更直接的方法。

type Person = {
  name: string | null;
};

const person: Person = {
  name: null,
};

if (typeof person.name === 'string') {
  // ✅ TypeScript knows person.name is string
  // 👇️ (property) name: string
  console.log(person.name);

  console.log(person.name.toLowerCase());
}

检查变量是否为 nullundefined 的一种较新方法是使用可选链接 (?.) 运算符。

type Person = {
  name: string | null;
};

const person: Person = {
  name: null,
};

console.log(person.name?.toLowerCase());

如果引用等于 nullundefined ,则可选链接 (?.) 运算符会短路而不是引发错误。

这就是为什么 TypeScript 允许我们检查 person.name 属性上是否存在 toLowerCase() 方法,即使它可能为空。

我们还可以使用这种方法来检查对象上是否存在深度嵌套的属性。

type Person = {
  name?: {
    first?: string | null;
  };
};

const person: Person = {};

console.log(person?.name?.first?.toLowerCase());

如果引用等于 nullundefined,则可选链接运算符将短路并返回 undefined,并且不会引发错误。

转载请发邮件至 1244347461@qq.com 进行申请,经作者同意之后,转载请以链接形式注明出处

本文地址:

相关文章

在 TypeScript 中返回一个 Promise

发布时间:2023/03/19 浏览次数:182 分类:TypeScript

本教程讨论如何在 TypeScript 中返回正确的 Promise。这将提供 TypeScript 中 Returns Promise 的完整编码示例,并完整演示每个步骤。

扫一扫阅读全部技术教程

社交账号
  • https://www.github.com/onmpw
  • qq:1244347461

最新推荐

教程更新

热门标签

扫码一下
查看教程更方便