null, undefined 和布尔值

null 和 undefined

nullundefined都可以表示“没有”,含义非常相似。将一个变量赋值为undefinednull,老实说,语法效果几乎没区别。

var a = undefined;
// 或者
var a = null;

if语句中,它们都会被自动转为false,相等运算符(==)甚至直接报告两者相等。

if (!undefined) {
  console.log('undefined is false');
}
// undefined is false
if (!null) {
  console.log('null is false');
}
// null is false
undefined == null
// true
Number(null) // 0
5 + null // 5

null是一个表示“空”的对象,转为数值时为0undefined是一个

Number(undefined) // NaN
5 + undefined // NaN

"此处无定义"的原始值,转为数值时为NaN

用法和含义  

 null表示空值,即该处的值现在为空。

调用函数时,某个参数未设置任何值,这时就可以传入null,表示该参数为空。

某个函数接受引擎抛出的错误作为参数,如果运行过程中未出错,那么这个参数就会传入null,表示未发生错误。

undefined表示“未定义”,下面是返回undefined的典型场景

// 变量声明了,但没有赋值
var i;
i // undefined

// 调用函数时,应该提供的参数没有提供,该参数等于 undefined
function f(x) {
  return x;
}
f() // undefined

// 对象没有赋值的属性
var  o = new Object();
o.p // undefined

// 函数没有返回值时,默认返回 undefined
function f() {}
f() // undefined

  布尔值 

  布尔值代表“真”和“假”两个状态。“真”用关键字true表示,“假”用关键字false表示。布尔值只有这两个值。 

猜你喜欢

转载自blog.csdn.net/weixin_39093202/article/details/84636089