如何在Ruby On Rails中将数字舍入到动态精度?

时间:2009-05-17 23:35:27

标签: ruby-on-rails rounding

我希望将数字舍入到最接近的数量级。 (我想我说对了)

以下是一些例子:

Input => Output

8 => 10
34 => 40
99 => 100
120 => 200
360 => 400
990 => 1000
1040 => 2000
1620 => 2000
5070 => 6000
9000 => 10000

任何人都知道在Ruby或Rails中快速编写它的方法吗?

基本上我需要知道数字的数量级以及如何以该精度舍入。

谢谢!

2 个答案:

答案 0 :(得分:14)

这是另一种方式:

def roundup(num)
  x = Math.log10(num).floor
  num=(num/(10.0**x)).ceil*10**x
  return num
end

更加惯用:

def roundup(num)
  x = Math.log10(num).floor
  (num/(10.0**x)).ceil * 10**x
end

答案 1 :(得分:0)

这是一个解决方案。它实现了以下规则:

  • 0且10的幂未被修改;
  • 9 ???被舍入到10000(无论多长时间);
  • A 380向上舍入为B000(无论多长时间),其中B是A后面的数字。

def roundup(n)
  n = n.to_i
  s = n.to_s
  s =~ /\A1?0*\z/ ? n : s =~ /\A\d0*\z/ ? ("1" + "0" * s.size).to_i :     
      (s[0, 1].to_i + 1).to_s + "0" * (s.size - 1)).to_i
end

fail if roundup(0) != 0
fail if roundup(1) != 1
fail if roundup(8) != 10
fail if roundup(34) != 40
fail if roundup(99) != 100
fail if roundup(100) != 100
fail if roundup(120) != 200
fail if roundup(360) != 400
fail if roundup(990) != 1000
fail if roundup(1040) != 2000
fail if roundup(1620) != 2000
fail if roundup(5070) != 6000
fail if roundup(6000) != 10000
fail if roundup(9000) != 10000