|
数组求最大值的方法:
1.先设数组第一个元素为最大值或最小值,然后依次遍历数组,拿数组元素与这个假设值去比较.
let arr = [1, 2, 3, 4, 5, 6, 7, 8, 9]
let max = arr[0]
for (let i = 0; i < arr.length; i++) {
if (max < arr) {
max = arr
}
}
console.log(max);
2.数组的sort()方法
let arr = [1, 2, 3, 4, 5, 6, 7, 8, 9]
arr.sort(function(a, b) {
return a - b
})
console.log(arr[arr.length - 1])
3.内置数学对象Math.max 配合apple()(改变this指向)方法使用
let arr = [1, 2, 3, 4, 5, 6, 7, 8, 9]
let max = Math.max.apply(null, arr)
console.log(max)
4.扩展运算符求最大值
let arr = [1, 2, 3, 4, 5, 6, 7, 8, 9]
console.log(Math.max(...arr))
|
|