在javascript中,创建数组可以使用array构造函数,或者使用数组直接量[],后者是首选方法。array对象继承自object.prototype,对数组执行typeof操作符返回object而不是array。然而,[] instanceof array也返回true。也就是说,类数组对象的实现更复杂,例如strings对象、arguments对象,arguments对象不是array的实例,但有length属性,并能通过索引取值,所以能像数组一样进行循环操作。
在本文中,我将复习一些数组原型的方法,并探索这些方法的用法。
循环:.foreach
判断:.some和.every
区分.join和.concat
栈和队列的实现:.pop, .push, .shift,和 .unshift
模型映射:.map
查询:.filter
排序:.sort
计算:.reduce和.reduceright
复制:.slice
强大的.splice
查找:.indexof
操作符:in
走近.reverse
循环:.foreach这是javascript中最简单的方法,但是ie7和ie8不支持此方法。
.foreach 有一个回调函数作为参数,遍历数组时,每个数组元素均会调用它,回调函数接受三个参数:
value:当前元素
index:当前元素的索引
array:要遍历的数组
此外,可以传递可选的第二个参数,作为每次函数调用的上下文(this).
['_', 't', 'a', 'n', 'i', 'f', ']'].foreach(function (value, index, array) { this.push(string.fromcharcode(value.charcodeat() + index + 2))
}, out = [])out.join('')// <- 'awesome'123456
后文会提及.join,在这个示例中,它用于拼接数组中的不同元素,效果类似于out[0] + '' + out[1] + '' + out[2] + '' + out[n]。
不能中断.foreach循环,并且抛出异常也是不明智的选择。幸运的事我们有另外的方式来中断操作。
判断:.some和.every如果你用过.net中的枚举,这两个方法和.any(x => x.isawesome) 、 .all(x => x.isawesome)类似。
和.foreach的参数类似,需要一个包含value,index,和array三个参数的回调函数,并且也有一个可选的第二个上下文参数。mdn对.some的描述如下:
some将会给数组里的每一个元素执行一遍回调函数,直到回调函数返回true。如果找到目标元素,some立即返回true,否则some返回false。回调函数只对已经指定值的数组索引执行;它不会对已删除的或未指定值的元素调用。
max = -infinity
satisfied = [10, 12, 10, 8, 5, 23].some(function (value, index, array) { if (value > max) max = value return value < 10})
console.log(max)// <- 12satisfied// <- true1234567891011
注意,当回调函数的value < 10时,中断函数循环。.every的运行原理和.some类似,但回调函数是返回false而不是true。
区分.join和.concat.join和.concat 经常混淆。.join(separator)以separator作为分隔符拼接数组元素,并返回字符串形式,如果没有提供separator,将使用默认的,。.concat会创建一个新数组,作为源数组的浅拷贝。
.concat常用用法:array.concat(val, val2, val3, valn)
.concat返回一个新数组
array.concat()在没有参数的情况下,返回源数组的浅拷贝。
浅拷贝意味着新数组和原数组保持相同的对象引用,这通常是好事。例如:
var a = { foo: 'bar' }
var b = [1, 2, 3, a]
var c = b.concat()
console.log(b === c)// <- falseb[3] === a && c[3] === a// <- true123456789
栈和队列的实现:.pop, .push, .shift和 .unshift每个人都知道.push可以再数组末尾添加元素,但是你知道可以使用[].push('a', 'b', 'c', 'd', 'z')一次性添加多个元素吗?
.pop 方法是.push 的反操作,它返回被删除的数组末尾元素。如果数组为空,将返回void 0 (undefined),使用.pop和.push可以创建lifo (last in first out)栈。
function stack () { this._stack = []
}
stack.prototype.next = function () { return this._stack.pop()
}
stack.prototype.add = function () { return this._stack.push.apply(this._stack, arguments)
}
stack = new stack()
stack.add(1,2,3)
stack.next()// <- 31234567891011121314151617
相反,可以使用.shift和 .unshift创建fifo (first in first out)队列。
function queue () {
this._queue = []
}
queue.prototype.next = function () { return this._queue.shift()
}
queue.prototype.add = function () { return this._queue.unshift.apply(this._queue, arguments)
}
queue = new queue()
queue.add(1,2,3)
queue.next()// <- 1using .shift (or .pop) is an easy way to loop through a set of array elements, while draining the array in the process.
list = [1,2,3,4,5,6,7,8,9,10]while (item = list.shift()) {
console.log(item)
}
list// <- []123456789101112131415161718192021222324252627
模型映射:.map.map为数组中的每个元素提供了一个回调方法,并返回有调用结果构成的新数组。回调函数只对已经指定值的数组索引执行;它不会对已删除的或未指定值的元素调用。
array.prototype.map 和上面提到的.foreach、.some和 .every有相同的参数格式:.map(fn(value, index, array), thisargument)
values = [void 0, null, false, '']
values[7] = void 0result = values.map(function(value, index, array){ console.log(value) return value
})// <- [undefined, null, false, '', undefined × 3, undefined]12345678
undefined × 3很好地解释了.map不会对已删除的或未指定值的元素调用,但仍然会被包含在结果数组中。.map在创建或改变数组时非常有用,看下面的示例:
// casting[1, '2', '30', '9'].map(function (value) { return parseint(value, 10)
})// 1, 2, 30, 9[97, 119, 101, 115, 111, 109, 101].map(string.fromcharcode).join('')// <- 'awesome'// a commonly used pattern is mapping to new objectsitems.map(function (item) { return {
id: item.id,
name: computename(item)
}
})12345678910111213141516
查询:.filterfilter对每个数组元素执行一次回调函数,并返回一个由回调函数返回true的元素组成的新数组。回调函数只会对已经指定值的数组项调用。
通常用法:.filter(fn(value, index, array), thisargument),跟c#中的linq表达式和sql中的where语句类似,.filter只返回在回调函数中返回true值的元素。
[void 0, null, false, '', 1].filter(function (value) { return value
})// <- [1][void 0, null, false, '', 1].filter(function (value) { return !value
})// <- [void 0, null, false, '']123456789
排序:.sort(comparefunction)如果没有提供comparefunction,元素会被转换成字符串并按照字典排序。例如,”80”排在”9”之前,而不是在其后。
跟大多数排序函数类似,array.prototype.sort(fn(a,b))需要一个包含两个测试参数的回调函数,其返回值如下:
a在b之前则返回值小于0
a和b相等则返回值是0
a在b之后则返回值小于0
[9,80,3,10,5,6].sort()// <- [10, 3, 5, 6, 80, 9][9,80,3,10,5,6].sort(function (a, b) { return a - b
})// <- [3, 5, 6, 9, 10, 80]1234567
计算:.reduce和.reduceright这两个函数比较难理解,.reduce会从左往右遍历数组,而.reduceright则从右往左遍历数组,二者典型用法:.reduce(callback(previousvalue,currentvalue, index, array), initialvalue)。
previousvalue 是最后一次调用回调函数的返回值,initialvalue则是其初始值,currentvalue是当前元素值,index是当前元素索引,array是调用.reduce的数组。
一个典型的用例,使用.reduce的求和函数。
array.prototype.sum = function () { return this.reduce(function (partial, value) { return partial + value
}, 0)
};
[3,4,5,6,10].sum()// <- 2812345678
如果想把数组拼接成一个字符串,可以用.join实现。然而,若数组值是对象,.join就不会按照我们的期望返回值了,除非对象有合理的valueof或tostring方法,在这种情况下,可以用.reduce实现:
function concat (input) { return input.reduce(function (partial, value) { if (partial) { partial += ', '
} return partial + value
}, '')
}
concat([
{ name: 'george' },
{ name: 'sam' },
{ name: 'pear' }
])// <- 'george, sam, pear'123456789101112131415
复制:.slice和.concat类似,调用没有参数的.slice()方法会返回源数组的一个浅拷贝。.slice有两个参数:一个是开始位置和一个结束位置。
array.prototype.slice 能被用来将类数组对象转换为真正的数组。
array.prototype.slice.call({ 0: 'a', 1: 'b', length: 2 })
// <- ['a', 'b']12
这对.concat不适用,因为它会用数组包裹类数组对象。
array.prototype.concat.call({ 0: 'a', 1: 'b', length: 2 })
// <- [{ 0: 'a', 1: 'b', length: 2 }]12
此外,.slice的另一个通常用法是从一个参数列表中删除一些元素,这可以将类数组对象转换为真正的数组。
function format (text, bold) { if (bold) { text = '<b>' + text + '</b>'
}
var values = array.prototype.slice.call(arguments, 2)
values.foreach(function (value) { text = text.replace('%s', value)
}) return text}format('some%sthing%s %s', true, 'some', 'other', 'things')// <- <b>somesomethingother things</b>123456789101112131415
强大的.splice.splice 是我最喜欢的原生数组函数,只需要调用一次,就允许你删除元素、插入新的元素,并能同时进行删除、插入操作。需要注意的是,不同于`.concat和.slice,这个函数会改变源数组。
var source = [1,2,3,8,8,8,8,8,9,10,11,12,13]
var spliced = source.splice(3, 4, 4, 5, 6, 7)
console.log(source)// <- [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, 11, 12 ,13]spliced// <- [8, 8, 8, 8]12345678
正如你看到的,.splice会返回删除的元素。如果你想遍历已经删除的数组时,这会非常方便。
var source = [1,2,3,8,8,8,8,8,9,10,11,12,13]var spliced = source.splice(9)
spliced.foreach(function (value) {
console.log('removed', value)
})// <- removed 10// <- removed 11// <- removed 12// <- removed 13console.log(source)// <- [1, 2, 3, 8, 8, 8, 8, 8, 9]12345678910111213
查找:.indexof利用.indexof 可以在数组中查找一个元素的位置,没有匹配元素则返回-1。我经常使用.indexof的情况是当我有比较时,例如:a === 'a' || a === 'b' || a === 'c',或者只有两个比较,此时,可以使用.indexof:['a', 'b', 'c'].indexof(a) !== -1。
注意,如果提供的引用相同,.indexof也能查找对象。第二个可选参数用于指定开始查找的位置。
var a = { foo: 'bar' }
var b = [a, 2]
console.log(b.indexof(1))// <- -1console.log(b.indexof({ foo: 'bar' }))// <- -1console.log(b.indexof(a))// <- 0console.log(b.indexof(a, 1))// <- -1b.indexof(2, 1)// <- 11234567891011121314151617
如果你想从后向前搜索,可以使用.lastindexof。
操作符:in在面试中新手容易犯的错误是混淆.indexof和in操作符:
var a = [1, 2, 5]1 in a// <- true, but because of the 2!5 in a// <- false1234567
问题是in操作符是检索对象的键而非值。当然,这在性能上比.indexof快得多。
var a = [3, 7, 6]1 in a === !!a[1]// <- true1234
走近.reverse该方法将数组中的元素倒置。
var a = [1, 1, 7, 8]a.reverse()// [8, 7, 1, 1]1234
.reverse 会修改数组本身。
译文出处:http://www.ido321.com/1568.html
本文根据@nicolas bevacqua的《fun with javascript native array functions》所译,整个译文带有我自己的理解与思想,如果译得不好或有不对之处还请同行朋友指点。如需转载此译文,需注明英文出处:http://modernweb.com/2013/11/25/fun-with-javascript-native-array-functions/。
以上就是javascript原生数组函数讲解的详细内容。