数据类型概述

27次阅读

共计 1743 个字符,预计需要花费 5 分钟才能阅读完成。

简介

JavaScript 语言的每一个值,都属于某一种数据类型。JavaScript 的数据类型,共有六种。(ES6 又新增了第七种 Symbol 类型的值,本教程不涉及。)

数值(number):整数和小数(比如 1 和 3.14)
字符串(string):文本(比如 Hello World)。
布尔值(boolean):表示真伪的两个特殊值,即 true(真)和 false(假)
undefined:表示“未定义”或不存在,即由于目前没有定义,所以此处暂时没有任何值
null:表示空值,即此处的值为空。
对象(object):各种值组成的集合。

对象则称为合成类型(complex type)的值,因为一个对象往往是多个原始类型的值的合成,可以看作是一个存放各种值的容器

2.typeof 运算符

确定一个值到底是什么类型。

typeof 运算符 返回数据类型
instanceof 运算符 返回真假
Object.prototype.toString 方法 返回类型

2.1typeof 运算符 返回数据类型

数值、字符串、布尔值分别返回 number、string、boolean。

typeof 123 // “number”
typeof ‘123’ // “string”
typeof false // “boolean”
函数返回 function。

function f() {}
typeof f
// “function”
undefined 返回 undefined。

typeof undefined
// “undefined”

2.1.1typeof 可以用来检查一个没有声明的变量,而不报错

v
// ReferenceError: v is not defined

typeof v
// “undefined”

量 v 没有用 var 命令声明,直接使用就会报错。但是,放在 typeof 后面,就不报错了,而是返回 undefined。

实际编程中,这个特点通常用在判断语句。

// 错误的写法
if (v) {
// …
}
// ReferenceError: v is not defined

// 正确的写法
if (typeof v === “undefined”) {
// …
}
对象返回 object。

typeof window // “object”
typeof {} // “object”
typeof [] // “object”

null 返回 object。

typeof null // “object”
2.2instanceof 运算符 返回真假
2.3Object.prototype.toString 方法 返回类型

null, undefined 和布尔值

1.null 和 undefined
2. 概述
3. 用法和含义
4. 布尔值

1.null 和 undefined

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

undefined == null
// true

Number(null) // 0
5 + null // 5
上面代码中,null 转为数字时,自动变成 0。

null 是一个表示“空”的对象,转为数值时为 0;undefined 是一个表示 ” 此处无定义 ” 的原始值,转为数值时为 NaN

1.1 概述
1.2 用法和含义

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

2 布尔值

下列运算符会返回布尔值:

前置逻辑运算符:! (Not)
相等运算符:===,!==,==,!=
比较运算符:>,>=,<,<=

下面六个值被转为 false,其他值都视为 true。

undefined
null
false
0
NaN
“” 或 ”(空字符串

空数组([])和空对象({})对应的布尔值,都是 true。

正文完
 0