I have an object with some keys, and I want to only keep some of the keys with their value?
I tried with filter:
var data = {
"aaa":111,
"abb":222,
"bbb":333
};
var result = _.filter(data, function(value, key) {
return key.startsWith("a");
})
console.log(result);
But it prints an array:
[111, 222]
Which is not what I want.
How to do it with lodash? Or something else if lodash is not working?
Live demo: http://jsbin.com/moqufevigo/1/edit?js,output
serg10
Lodash has a _.pickBy function which does exactly what you're looking for.
var thing = {
"a": 123,
"b": 456,
"abc": 6789
};
var result = _.pickBy(thing, function(value, key) {
return _.startsWith(key, "a");
});
console.log(result.abc) // 6789
console.log(result.b) // undefined
<script src="https://cdn.jsdelivr.net/lodash/4.16.4/lodash.min.js"></script>
Krystian Jankowski
Just change filter to omitBy
var result = _.omitBy(data, function(value, key) {
return !key.startsWith("a");
})
Here is an example using lodash 4.x:
var data = {
"aaa":111,
"abb":222,
"bbb":333
};
var result = _.pickBy(data, function(value, key) {
return key.startsWith("a");
});
console.log(result);
// Object {aaa: 111, abb: 222}
<script src="https://cdnjs.cloudflare.com/ajax/libs/lodash.js/4.13.1/lodash.min.js"></script>
<strong>Open your javascript console to see the output.</strong>
A non-lodash way to solve this in a fairly readable and efficient manner:
function filterByKeys(obj, keys = []) {
const filtered = {}
keys.forEach(key => {
if (obj.hasOwnProperty(key)) {
filtered[key] = obj[key]
}
})
return filtered
}
const myObject = {
a: 1,
b: 'bananas',
d: null
}
filterByKeys(myObject, ['a', 'd', 'e']) // {a: 1, d: null}
来源:https://stackoverflow.com/questions/30726830/how-to-filter-keys-of-an-object-with-lodash