在 elixir 里,我有个列表,大概是这样:
[
%{id: 1, retweet_count: 10, favorite_count: 20},
%{id: 2, retweet_count: 20, favorite_count: 1},
%{id: 3, retweet_count: 15, favorite_count: 50},
]
现在想按 retweet_count 与 favorite_count 的总数降序排列。
在 JavaScript 里,这非常简单:
list.sort(function (a, b) {
if (a.retweet_count + a.favorite_count > b.retweet_count + b.favorite_count) {
return -1
} else if (a.retweet_count + a.favorite_count < b.retweet_count + b.favorite_count) {
return 1
}
return 0
})
Elixir 有个类似的方法 sort_by:
sort(enumerable, fun)
于是我们的降序排列规则写成如下:
Enum.sort [
%{id: 1, retweet_count: 10, favorite_count: 20},
%{id: 2, retweet_count: 20, favorite_count: 1},
%{id: 3, retweet_count: 15, favorite_count: 50},
], &(Map.get(&1, :retweet_count) + Map.get(&1, :favorite_count) >= Map.get(&2, :retweet_count) + Map.get(&2, :favorite_count))