javascript every

JavaScript
[12, 5, 8, 130, 44].every(elem => elem >= 10); // false
[12, 54, 18, 130, 44].every(elem => elem >= 10); // trueconst exams = [80, 98, 92, 78, 77, 90, 89, 84, 81, 77]
exams.every(score => score >= 75) // Say true if all exam components are greater or equal than 75// array.every(function(elemnt)) method takes in a function 
// which evaulates each elment 
// The every method is designed to check if all the elements
// in an array meet a specific condition 
// This condition is defined within your function

let numbers = [1, 2, 3, 42, 3, 2, 4, -1];

let allPassed = numbers.every(function(element){
	return element > 0;
});

// This method returns a Boolean value
// allPassed is set to false because not all elements were greater than 0

const age= [2,7,12,17,21];
age.every(function(person){
return person>18;
});  //false

//es6
const age= [2,7,12,17,21];
age.every((person)=> person>18);  //falsefunction isBigEnough(element, index, array) {
  return element >= 10;
}
[12, 5, 8, 130, 44].every(isBigEnough);
Source

Also in JavaScript: