Jquery Object Properties Value Average
I have the following object: rating { atmosphere: 85 cleanliness: 91 facilities: 91 staff: 85 security: 94 location: 78 valueForMoney: 85 }
Solution 1:
there is no jquery function for this. you have to do it manually
var count = 0;
var sum = 0;
$.each(rating, function(k, v){
count++;
sum += v;
});
var average = sum / count;
Solution 2:
You can loop through the object's properties to get the total value, then divide that by the number or properties in the object itself:
var total = 0;
for (var key in json.rating) {
total += json.rating[key];
}
console.log(total / Object.keys(json.rating).length);
Solution 3:
The object you posted is invalid, I have modified it to a valid object, here is a working snippet
var json = {
rating: {
atmosphere: 85,
cleanliness: 91,
facilities: 91,
staff: 85,
security: 94,
location: 78,
valueForMoney: 85,
}
}
var average = 0;
var counter = 0;
$.each(json.rating, function(key, value) {
average += value;
counter++;
});
document.write(average / counter);
<scriptsrc="https://ajax.googleapis.com/ajax/libs/jquery/2.1.1/jquery.min.js"></script>
Solution 4:
Please have a look at this:
var rating = {
atmosphere: 85,
cleanliness: 91,
facilities: 91,
staff: 85,
security: 94,
location: 78,
valueForMoney: 85
};
var totalCount = 0;
var totalSum = 0;
for(var key in rating){
totalCount++;
totalSum += rating[key];
}
$(".avg").text(totalSum/totalCount);
<scriptsrc="https://ajax.googleapis.com/ajax/libs/jquery/1.11.0/jquery.min.js"></script>
Average is: <divclass="avg"></div>
Solution 5:
You could sum the values and divide it by the length of the properties.
var rating = { atmosphere: 85, cleanliness: 91, facilities: 91, staff: 85, security: 94, location: 78, valueForMoney: 85 },
keys = Object.keys(rating),
average = keys.reduce(function (r, k) {
return r + rating[k];
}, 0) / keys.length;
document.write(average);
Post a Comment for "Jquery Object Properties Value Average"