判断方法:1、使用“arr.includes(元素值)”语句,如果返回值为true,则数组中有某一项;2、使用“arr.findIndex((v)=>{return v==元素值;})”语句,如果返回值不为“-1”,则数组中包含某一项。
本教程操作环境:windows7系统、ECMAScript 6版、Dell G3电脑。
es6判断数组是否有某一项值
方法1:利用includes()方法
includes() 方法用来判断一个数组是否包含一个指定的值,返回 true或 false。语法:
array.includes(searchElement, fromIndex);
-
searchElement:要查找的元素;
-
fromIndex:开始查找的索引位置,可省略,默认值为0。
示例:
var arr=[2, 9, 7, 8, 9]; if(arr.includes(9)){ console.log("数组中有指定值"); } else{ console.log("数组中没有指定值"); }
方法2:利用findIndex()方法
findIndex()方法返回数组中满足提供的测试函数的第一个元素的索引。否则返回-1
。
var arr=[2, 9, 7, 8, 9]; var ret = arr.findIndex((v) => { return v == 1; }); if(ret!=-1){ console.log("数组中有指定值"); } else{ console.log("数组中没有指定值"); }
【