1、引言
ES5中数组新增了不少东西,现在ES5使用也比较普及,了解这些新增的方法,对我们使用JavaScript也有不少的好处
下面的ES5新增写的数组方法:
1、forEach
2、map
3、filter
4、some
5、every
6、indexOf
7、lastIndexOf
8、reduce
9、reduceRight
2、forEach、map、filter
1、forEach()方法是Array中最基本的一个,简单的循环和遍历;但也可以对数组的每个元素执行一次提供的函数
语法:
array.forEach(callback(currentValue, index, array){
//do something
}, this)
array.forEach(callback[, thisArg])
补充衍生:对比jQuery中的$.each
方法(callback中第一个参数正好和第二个参数相反)
$.each(array,callback(index, currentValue,array){
//do something
})
forEach方法中的callback函数接受三个参数:
- currentValue:数组当前项的值
- index : 数组当前项的索引
- arrry : 数组对象本身
thisArg :可选参数,当给forEach传递了thisArg参数,调用时,将传递给callback函数,作为它的this值。
demo1 :一个简单的例子
var sum = 0
var arr = [1,2,3,4]
arr.forEach(function(item,index,arr) {
console.log(arr[index] == item)
sum += item;
})
console.log(sum)
demo2 :使用thisArg的小例子
function Counter() {
this.sum = 0;
this.count = 0;
}
Counter.prototype.add = function(array) {
array.forEach(function(entry){
this.sum += entry
++this.count;
},this)
console.log(this);
}
var obj = new Counter();
obj.add([1,3,5,7]);
当我们new一个新的对象时,构造函数的this将绑定到新对象上,那么这里的thisArg参数(this)即在new新对象时,绑定到了新对象上
demo3 :使用thisArg升级版例子
var database = {
users: ["hello", "world", "wu"],
sendEmail: function (user) {
if (this.isValidUser(user)) {
console.log("你好," + user);
} else {
console.log("抱歉,"+ user +",你不是本家人");
}
},
isValidUser: function (user) {
return /^w/.test(user);
}
};
// 给每个人法邮件
database.users.forEach( // database.users中人遍历
database.sendEmail, //callback函数 -> 发送邮件
database // thisArg ->calllback函数中的this指向database
);
2、 map 这里的map不是’地图‘的意思,而指的’映射‘,
[].map();
,基本的用法和forEach类似
mdn: map() 方法创建一个新数组,其结果是该数组中的每个元素都调用一个提供的函数后返回的结果
语法:
var new_array = arr.map(function callback(currentValue, index, array) {
// return element for new_array
}[, thisArg])
demo1:一个简单的小例子
var data = [1,2,3,4]
var arrSquares = data.map(function(item){
return item*item //callback需要有return值,若无则返回undefined
})
console.log(arrSquares)
demo2:利用map方法获取对象数组中的特性属性值
var users = [
{name: "wolrd", "email": "world@gmail.com"},
{name: "hello", "email": "hello@gmail.com"},
{name: "wu", "email": "wu@gmail.com"}
];
var emails = user.map(function(user) {
return user.email //遍历数组内的每一个对象
})
console.log(emails)
console.log(emails.join(","))
延伸:在字符串String中使用map方法
demo1:获取字符串中每一个字符的ASCII码
var a = Array.prototype.map.call('hello world',function(x){
return x.charCodeAt(0);
})
console.log(a)
通过call方法使String->'hello world'有通过map方法来执行转换操作,将this绑定到’hello world‘字符串上
demo1:反转字符串
var str = '12345';
var a = Array.prototype.map.call(str,function(x) {
return x
}).reverse().join('')
console.log(a)
3、filter为“过滤”、“筛选”之意。指数组filter后,返回过滤后的新数组。用法与map类似
mdn:filter() 方法创建一个新数组, 其包含通过所提供函数实现的测试的所有元素。
***语法:var new_array = arr.filter(callback[, thisArg])
demo:
function isBigEnough(value) {
return value>10;
}
var filtered = [12,5,8,101].filter(isBigEnough)
console.log(filtered)