我有一个带有字符串的数组,我希望它按字母顺序排列,但顶部有一些默认值。例如:
["a", "b", "default1", "d", "default2", "c", "e"]
我希望结果是:
["default1", "default2", "a", "b", "c", "d", "e"]
有人知道我怎么能轻松完成这个任务?
更新
默认值也包含在数组中,并且数组按字母顺序排列。
可枚举包括partition
:
data = ["a", "b", "default1", "d", "default2", "c", "e"]
data.partition{ |d| d['default'] }.flatten
=> ["default1", "default2", "a", "b", "d", "c", "e"]
如果你得到的数据没有按照你想要的最终顺序排序,你可以在分区之前对其进行预排序:
data = ["c", "b", "default2", "a", "default1", "e", "d"]
data.sort.partition{ |d| d['default'] }.flatten
=> ["default1", "default2", "a", "b", "c", "d", "e"]
如果您需要更智能和更全面的排序算法来处理各种“默认”条目,您可以使用sort
orsort_by
与 lambda 或 proc 来区分默认条目和常规条目之间的区别,并返回所需的-1
,0
和1
值。
像这样的工作:
array = ["a", "b", "default1", "d", "default2", "c", "e"]
defaults = ["default1", "default2"] #Add more if needed
sorted_array = array.sort{|a, b| defaults.include?(a) ? -1 : defaults.include?(b) ? 1 : a <=> b }
puts sorted_array # => ["default1", "default2", "a", "b" "c", "d", "e"]
利用数组定义的字典顺序,我会写:
defaults = Hash[["default1", "default2"].to_enum.with_index.to_a]
xs = ["a", "b", "default1", "d", "default2", "c", "e"]
xs.sort_by { |x| [defaults[x] || defaults.size, x] }
#=> ["default1", "default2", "a", "b", "c", "d", "e"]