Does anyone know of a \'pluck\' plugin that matches the underscore array method?
pluck_.pluck(list, propertyName)
A convenient version of
It's quite simple to implement this functionality yourself:
function pluck(originalArr, prop) {
var newArr = [];
for(var i = 0; i < originalArr.length; i++) {
newArr[i] = originalArr[i][prop];
}
return newArr;
}
All it does is iterate over the elements of the original array (each of which is an object), get the property you specify from that object, and place it in a new array.
just write your own
$.pluck = function(arr, key) {
return $.map(arr, function(e) { return e[key]; })
}
You can do it with an expression;
var arr = $.map(stooges, function(o) { return o["name"]; })
In simple case:
var arr = stooges.map(function(v) { return v.name; });
More generalized:
function pluck(list, propertyName) {
return list.map(function (v) { return v[propertyName]; })
}
But, IMHO, you should not implement it as tool function, but use the simple case always.
2018 update:
var arr = stooges.map(({ name }) => name);