我有一个带有一些键的对象,我想只保留一些带有值的键?
我尝试了filter
:
var data = {
"aaa":111,
"abb":222,
"bbb":333
};
var result = _.filter(data, function(value, key) {
return key.startsWith("a");
})
console.log(result);
但它会打印一个数组:
[111, 222]
这不是我想要的。
如何用lodash做到这一点?或者如果lodash无效的话还有其他什么?
答案 0 :(得分:223)
Lodash拥有_.pickBy
功能,可以完全满足您的需求。
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>
&#13;
答案 1 :(得分:32)
只需将过滤条件更改为omitBy
即可 var result = _.omitBy(data, function(value, key) {
return !key.startsWith("a");
})
答案 2 :(得分:16)
以下是使用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>
答案 3 :(得分:2)
一种非易碎的方式,以一种相当可读和有效的方式解决此问题:
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}
答案 4 :(得分:0)
本机 ES2019 单线版
const data = {
aaa: 111,
abb: 222,
bbb: 333
};
const filteredByKey = Object.fromEntries(Object.entries(data).filter(([key, value]) => key.startsWith("a")))
console.log(filteredByKey);
答案 5 :(得分:0)
const data = {
aaa: 111,
abb: 222,
bbb: 333
};
const result = Object.keys(data).filter((val) => val.includes("a"));
console.log(result);