some()
方法的语法为:
arr.some(callback(currentValue), thisArg)
在这里, arr是一个数组。
some()参数
some()
方法采用:
- callback-测试每个数组元素的函数 。它包含:
- currentValue-从数组传递的当前元素。
- thisArg (可选)-执行callback时用作
this
值。默认情况下,它是undefined
。
从some()返回值
- 如果数组元素通过给定的测试函数,则返回
true
(callback
返回真实值)。 - 否则,它返回
false
。
注意事项 :
-
some()
不会更改原始数组。 -
some()
不会对没有值的数组元素执行callback
。
示例:检查数组元素的值
function checkMinor(age) {
return age < 18;
}
const ageArray = [34, 23, 20, 26, 12];
let check = ageArray.some(checkMinor); // true
if (check) {
console.log("All members must be at least 18 years of age.")
}
// using arrow function
let check1 = ageArray.some(age => age >= 18); // true
console.log(check1)
输出
All members must be at least 18 years of age.
true
推荐读物: JavaScript Array every()