在一个数组中,如何取最大值与最小值有很多种方法,这里我们将从最笨的方法讲起,然后讲述改进后的方法。
原型是个好东西,通常除了Object的原型不应该扩展,向原型添加新方法是很好的选择。
我们看一下如何为数组取最大值与最小值。最笨的方法估计是这样:
01.
Array.prototype.max =
function
() {
02.
var
max =
this
[0];
03.
var
len =
this
.length;
04.
for
(
var
i = 1; i < len; i++){
05.
if
(
this
[i] > max) {
06.
max =
this
[i];
07.
}
08.
}
09.
return
max;
10.
}
11.
Array.prototype.min =
function
() {
12.
var
min =
this
[0];
13.
var
len =
this
.length;
14.
for
(
var
i = 1; i < len; i++){
15.
if
(
this
[i] < min){
16.
min =
this
[i];
17.
}
18.
}
19.
return
min;
20.
}
如果你是引入类库进行工作,害怕类库也实现了同名的原型方法,我们可以在生成之前进行判断:
1.
if
(
typeof
Array.prototype[
'max'
] ==
'undefined'
) {
2.
Array.prototype.max =
function
() {
3.
//************略*************
4.
}
5.
}
但这两个扩展实现得的确不怎么样?!有什么原生的方法可以给我们用一用呢?John Resig巧妙地利用apply方法来调用原生的Math.max与Math.min方法迅速求得结果。apply能让一个方法指定调用对象与传入参数,并且传入参数是以数组形式组织的。恰恰现在有一个方法叫Math.max,调用对象为Math,与多个参数。
1.
Array.max =
function
( array ){
2.
return
Math.max.apply( Math, array );
3.
};
4.
5.
Array.min =
function
( array ){
6.
return
Math.min.apply( Math, array );
7.
};
不过,John Resig是把它们做成Math对象的静态方法,不能使用大神最爱用的链式调用了。但这方法还能更精简一些,不要忘记,Math对象也是一个对象,我们用对象的字面量来写,又可以省几个比特了。
1.
Array.prototype.max =
function
(){
2.
return
Math.max.apply({},
this
)
3.
}
4.
Array.prototype.min =
function
(){
5.
return
Math.min.apply({},
this
)
6.
}
1.
[1,2,3].max()
// => 3
2.
[1,2,3].min()
// => 1
【编辑推荐】