Bootstrap

js数组filter map forEach every some以及jquery的each 操作

filter:返回一个符合条件的数组

[1,2,3,5,6,8,5,3,1].filter(function(value,index,arr){
    return value > 3;
})
return:
[5, 6, 8, 5]


map:对每一项进行操作,返回全部的值

[1,2,3].map(function(value, index, array) {
  // ...
});

for example:

[1,2,3,5,6,8,5,3,1].map(function(value,index,arr){
    return value > 3;
})
return:
[false, false, false, true, true, true, true, false, false]

forEach:对每一项进行操作

[1,2,3].forEach(function(value, index, array) {
  // ...
});
[1,2,3,5,6,8,5,3,1].forEach(function(value,index,arr){
    console.log(value);
})
结果是打印 每一项的值


every:数组中所有的值都符合条件,返回true,否则返回false

[1,2,3,5,6,8,5,3,1].every(function(value,index,arr){
    return value > 1;
})
返回结果:false
[1,2,3,5,6,8,5,3,1].every(function(value,index,arr){
    return value > 0;
})
返回结果:true

some:数组中只要有一项是符合条件的就返回true,否则返回false

[1,2,3,5,6,8,5,3,1].some(function(value,index,arr){
    return value > 5;
})
返回结果:true
[1,2,3,5,6,8,5,3,1].some(function(value,index,arr){
    return value > 10;
})
返回结果:false



each:注意与forEach中index、value的顺序是相反的

$.each([1,2,3], function(index, value, array) {
  // ...
});
$('input[id^="key"]').each(function(index,value){
		$(this).hide();
		//alert("value:"+value+"  index:"+index)
	});



;