如何在带有下划线的哈希中找到min值的键

时间:2014-02-26 18:23:31

标签: javascript underscore.js

我想用下划线找到最小值的关键字。例如:

var my_hash = {'0-0' : {value: 23, info: 'some info'},
              '0-23' : {value: 8, info: 'some other info'},
              '0-54' : {value: 54, info: 'some other info'},
              '0-44' : {value: 34, info: 'some other info'}
              }
find_min_key(my_hash); => '0-23'

我如何使用underscorejs做到这一点?

我试过了:

_.min(my_hash, function(r){
  return r.value;
});
# I have an object with the row, but not it's key
# => Object {value: 8, info: "some other info"}

我也尝试对它进行排序(然后获取第一个元素):

_.sortBy(my_hash, function(r){ 
  return r.value; 
})

但是它返回一个带有数字索引的数组,所以我的哈希键丢失了。

3 个答案:

答案 0 :(得分:7)

使用Underscore或Lodash< 4:

_.min(_.keys(my_hash), function(k) { return my_hash[k].value; }); //=> 0-23

使用Lodash> = 4:

_.minBy(_.keys(my_hash), function(k) { return my_hash[k].value; }); //=> 0-23

没有图书馆:

Object.entries(my_hash).sort((a, b) => a[1].value - b[1].value)[0][0]

Object.keys(my_hash).sort((a, b) => my_hash[a].value - my_hash[b].value)[0]

答案 1 :(得分:3)

您可以使用reduce执行此操作:

var result = _.reduce(my_hash, function(memo, val, key) {
  if (val.value < memo.value || _.isNull(memo.value)) {
    return {key: key, value: val.value};
  } else {
    return memo;
  }
}, {key: "none", value: null});
console.log(result.key);

输出:

0-23

答案 2 :(得分:3)

_.reduce(my_hash, function(m, v, k, l) {
  if (v.value <= l[m].value) {
    m = k;
  }
  return m;
}, '0-0');