Javascript获取数组中的最大值和最小值方法汇总
方法一?
sort()方法
b-a從大到小,a-b從小到大
var max2 = arr.sort(function(a,b){
??? return b-a;
})[0];
console.log(max2)
?
方法二
//最小值
Array.prototype.min = function() {
var min = this[0];
var len = this.length;
for (var i = 1; i < len; i++){
if (this[i] < min){
min = this[i];
}
}
return min;
}
//最大值
Array.prototype.max = function() {
var max = this[0];
var len = this.length;
for (var i = 1; i < len; i++){
if (this[i] > max) {
max = this[i];
}
}
return max;
}
?
如果你是引入類庫進行開發,害怕類庫也實現了同名的原型方法,可以在生成函數之前進行重名判斷:
if (typeof Array.prototype['max'] == 'undefined') {
Array.prototype.max = function() {
... ...
}
}
?
方法三
用Math.max和Math.min方法可以迅速得到結果。apply能讓一個方法指定調用對象與傳入參數,并且傳入參數是以數組形式組織的。恰恰現在有一個方法叫Math.max,調用對象為Math,與多個參數
Array.max = function( array ){
return Math.max.apply( Math, array );
};
Array.min = function( array ){
return Math.min.apply( Math, array );
};
但是,John Resig是把它們做成Math對象的靜態方法,不能使用大神最愛用的鏈式調用了。但這方法還能更精簡一些,不要忘記,Math對象也是一個對象,我們用對象的字面量來寫,又可以省幾個比特了。
Array.prototype.max = function(){
return Math.max.apply({},this)
}
Array.prototype.min = function(){
return Math.min.apply({},this)
}
[1,2,3].max()// => 3
[1,2,3].min()// => 1
?
方法四
function getMaximin(arr,maximin)
{
if(maximin=="max")
{
return Math.max.apply(Math,arr);
}
else if(maximin=="min")
{
return Math.min.apply(Math, arr);
}
}
var a=[3,2,4,2,10];
var b=[12,4,45,786,9,78];
console.log(getMaximin(a,"max"));//10
console.log(getMaximin(b,"min"));//04
?
方法五
var a=[1,2,3,5];
alert(Math.max.apply(null, a));//最大值
alert(Math.min.apply(null, a));//最小值
多維數組可以這么修改:
var a=[1,2,3,[5,6],[1,4,8]];
var ta=a.join(",").split(",");//轉化為一維數組
alert(Math.max.apply(null,ta));//最大值
alert(Math.min.apply(null,ta));//最小值
?
總結
以上是生活随笔為你收集整理的Javascript获取数组中的最大值和最小值方法汇总的全部內容,希望文章能夠幫你解決所遇到的問題。
- 上一篇: yii2 / Console - yii
- 下一篇: CUDA学习(九十一)