-
Notifications
You must be signed in to change notification settings - Fork 0
/
allAboutArray.html
69 lines (59 loc) · 1.55 KB
/
allAboutArray.html
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
<!doctype html>
<html>
<head>
<meta charset="UTF-8">
<title>关于JS数组</title>
</head>
<body>
<script>
// 第一种定义数组的方式,不推荐。。。
var cf = new Array(1, 2, 3);
console.log(cf);
// 第二种,同样不推荐
cf = Array(1, 2, 3);
console.log(cf);
// 推荐这么定义数组
cf = [1, 2, 3];
// js的数组一定有一个length属性,标示数组的长度
console.log(cf.length);
// 判断数组的方法
console.log(Array.isArray(cf));
console.log(cf instanceof Array);
// 一定要背下来下面的输出结果
console.log(typeof cf);
// js中数组和对象传递的是引用,要特别注意
var mxy = cf;
mxy[0] = 4;
console.log(cf);
// 拷贝数组的两个trick
cf = [1, 2, 3];
mxy = cf.slice(0);
mxy = cf.concat();
// js中数组越界访问是无害的,不会出错或抛出异常
console.log(cf[100]);
// 什么东西都能是数组成员, 而且类型不要求一致
cf = [null, {cf: 'chenfan'}, [], function () {}, 'cf'];
console.log(cf);
/**
* 以下是必会的api
*/
cf = [1, 2, 3];
// 数组拼接
console.log(cf.concat([4, 5]));
// 元素从尾部入数组
cf.push(6);
console.log(cf);
// 元素从尾部出队列
cf.pop();
console.log(cf);
// 从头入
cf.unshift(0);
console.log(cf);
// 从头出
cf.shift();
console.log(cf);
// 数组->字符串,各个成员间用_分割
console.log(cf.join('_'));
</script>
</body>
</html>