2

比较两个版本字符串时,to_f效果不佳:

 > "1.5.8".to_f > "1.5.7".to_f
  => false

字符串比较更好,但并不总是正确的:

 > "1.5.8" > "1.5.7"
  => true 

 > "1.5.8" > "1.5.9"
  => false 

 > "1.5.8" > "1.5.10" # oops!
  => true 

如何正确比较版本字符串?

4

3 回答 3

4

一个想法:创建一个Object#compare_by行为类似于compare(又名宇宙飞船运算符Object#<=>)但采用自定义块的方法:

class Object
  def compare_by(other)
    yield(self) <=> yield(other)
  end
end

>> "1.5.2".compare_by("1.5.7") { |s| s.split(".").map(&:to_i) }
#=> -1

您还可以根据该方法采取更具体的compare方法:

class String
  def compare_by_fields(other, fieldsep = ".")
    cmp = proc { |s| s.split(fieldsep).map(&:to_i) }
    cmp.call(self) <=> cmp.call(other)
  end
end

>> "1.5.8".compare_by_fields("1.5.8")
#=> 0
于 2012-08-30T07:19:17.333 回答
4

就我个人而言,我可能只使用Versionomy gem,恕我直言,无需重新发明这个特定的轮子。

例子:

require 'versionomy'
v1 = Versionomy.parse("1.5.8")
v2 = Versionomy.parse("1.5.10")
v2 > v1
#=> true
于 2012-08-30T08:31:08.490 回答
0

首先从拆分版本的不同部分开始:

v1 = "1.5.8"
v2 = "1.5.7"
v1_arr = v1.split(".")
=> ["1", "5", "8"]
v2_arr = v2.split(".")
=> ["1", "5", "7"]
v1_arr.size.times do |index|
   if v1_arr[index] != v2_arr[index]
     # compare the values at the given index. Don't forget to use to_i!
     break
   end
end
于 2012-08-30T07:08:01.103 回答