Optional Chaining(?.)用于安全访问嵌套属性,遇 null/undefined 立即返回 undefined 而非报错;支持属性访问、方括号动态键、函数调用;不可用于赋值左端或未声明变量;推荐与 ?? 配合实现精准默认值。

JavaScript 的 Optional Chaining(可选链操作符)是一种安全访问嵌套对象属性的语法,用 ?. 表示。它能在访问链中任意一层为 null 或 undefined 时立即返回 undefined,而不是抛出错误。
为什么需要 Optional Chaining
在处理 API 响应、表单数据或配置对象时,属性层级深且某些字段可能缺失。传统写法需层层判断:
// 传统方式:容易冗长且易漏判
if (user && user.profile && user.profile.address && user.profile.address.city) {
console.log(user.profile.address.city);
}
稍有疏忽(比如漏了 user.profile 的检查),运行时就会报 Cannot read property 'address' of undefined。
Optional Chaining 的基本用法
用 ?. 替代 .,表示“如果左边值存在,才继续访问右边属性”:
立即学习“Java免费学习笔记(深入)”;
-
obj?.prop—— 安全读取属性 -
obj?.[expr]—— 安全使用方括号访问(适合动态键名) -
func?.(args)—— 安全调用函数(若 func 是 null/undefined,不执行也不报错)
例如:
const user = { profile: { address: { city: 'Beijing' } } };
console.log(user?.profile?.address?.city); // 'Beijing'
console.log(user?.settings?.theme); // undefined(不报错)
console.log(user?.getAge?.()); // undefined(如果 getAge 不存在)
和逻辑运算符 || 的区别
Optional Chaining 不改变值本身,只控制访问流程;而 || 是做“假值替换”:
-
obj?.prop || 'default':当prop为null、undefined、false、0、''时都会 fallback -
obj?.prop ?? 'default':推荐搭配空值合并操作符 ??,只在undefined或null时生效,更精准
所以更健壮的写法是:user?.profile?.email ?? 'no email'。
注意事项和边界情况
Optional Chaining 不能用于赋值左侧,也不能跳过顶层变量声明:
-
obj?.prop = value❌ 语法错误(不可赋值) -
undeclared?.prop❌ ReferenceError(?., ?[] 只对已声明但可能为 null/undefined 的值有效) - 数组索引也支持:
arr?.[0]?.name✅
它不会阻止语法错误,也不会修复逻辑缺陷,只是让“深层取值”这件事变得更简洁、更可靠。










