every()
用于判断数组所有元素是否都符合函数返回的条件
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title> </head> <body> <script> var array=[86,3,2,52,1];
var result=array.every((i)=>{ return i>2; }); console.log(array); console.log(result); </script> </body> </html>
|
data:image/s3,"s3://crabby-images/43fbc/43fbc493825dfa169a1aa757c6d33c92c6f26951" alt="js中对数组.map()、some()、every()、filter()的使用"
some()
用于判断数组所有元素中是否有一条满足函数返回的条件
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title> </head> <body> <script> var array=[86,3,2,52,1];
var result=array.some((i)=>{ return i>2; }); console.log(array); console.log(result); </script> </body> </html>
|
data:image/s3,"s3://crabby-images/245fa/245fac04766a4be1b9513422ff0f1653248e38bd" alt="js中对数组.map()、some()、every()、filter()的使用"
find()
用于查找数组中第一个满足条件的元素,并返回
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20
| <!DOCTYPE html> <html> <head> <meta charset="utf-8" /> <meta name="viewport" content="width=device-width, initial-scale=1"> <title>js find</title> </head> <body> <script type="text/javascript"> var array=[3,2,52,1]; var result=array.find((i)=>{ return i>2; }); console.log(array); console.log(result); </script> </body> </html>
|
data:image/s3,"s3://crabby-images/e9af3/e9af3c9917b928b1e9684c6a01d0bffbd892f5e4" alt=""
filter()
用于过滤数组所有满足条件的元素,并返回
和every()有些像,但那是返回 ture或false,而filter()是返回符合条件的数组
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title> </head> <body> <script> var array=[86,3,2,52,1];
var result=array.filter((i)=>{ return i>2; }); console.log(array); console.log(result); </script> </body> </html>
|
data:image/s3,"s3://crabby-images/c5a53/c5a5342d83988d8d364c2b53cf7e98b74f42349e" alt="js中对数组.map()、some()、every()、filter()的使用"
map()
处理数组的每个元素,并返回处理后的数组。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title> </head> <body> <script> var array=[86,3,2,52,1];
var result=array.map((i)=>{ return i*2; }); console.log(array); console.log(result); </script> </body> </html>
|
data:image/s3,"s3://crabby-images/fc032/fc032a1c5160f86bc292195911540cf0b0e70096" alt="js中对数组.map()、some()、every()、filter()的使用"
reduce()
用于累加计算,返回结果
接收两个参数:function和params。function有有四个参数total, now, index, array。total是前值和后值得累加值,now是当前值,index索引,array数组自身。后两个非必传。params非必传,传递给函数的初始值
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19
| <!DOCTYPE html> <html lang="en"> <head> <meta charset="UTF-8"> <title>Document</title> </head> <body> <script> var array=[86,3,2,52,1,55];
var result=array.reduce((total, now, index, array)=>{ console.log(total, now, index, array); return total + now; }); console.log(result); </script> </body> </html>
|
data:image/s3,"s3://crabby-images/1e665/1e665832cb0345ee549b9e1b1297d1c4c3ec8c35" alt=""