比较两个版本字符串时,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
如何正确比较版本字符串?
答案 0 :(得分: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
答案 1 :(得分:4)
我个人可能只是使用Versionomy宝石,不需要重新发明这个特定的轮子恕我直言。
示例:
require 'versionomy'
v1 = Versionomy.parse("1.5.8")
v2 = Versionomy.parse("1.5.10")
v2 > v1
#=> true
答案 2 :(得分: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