说我有以下任何一个数字:
230957或 83487或 4785
Ruby中的一种方式我可以将它们作为返回 300000或 90000或 5000,分别?
答案 0 :(得分:5)
def round_up(number)
divisor = 10**Math.log10(number).floor
i = number / divisor
remainder = number % divisor
if remainder == 0
i * divisor
else
(i + 1) * divisor
end
end
举例:
irb(main):022:0> round_up(4785)
=> 5000
irb(main):023:0> round_up(83487)
=> 90000
irb(main):024:0> round_up(230957)
=> 300000
答案 1 :(得分:5)
def round_to_significant_digit(i, significant_digits = 1)
exp = Math.log10(i).floor - (significant_digits - 1)
(i / 10.0 ** exp).round * 10 ** exp
end
>> [230957, 83487, 4785].collect{|i|round_to_significant_digit(i)}
=> [200000, 80000, 5000]
还有额外的功劳:
>> [230957, 83487, 4785].collect{|i|round_to_significant_digit(i, 2)}
=> [230000, 83000, 4800]
>> [230957, 83487, 4785].collect{|i|round_to_significant_digit(i, 3)}
=> [231000, 83500, 4790]
答案 2 :(得分:2)
在Rails中,您可能也喜欢" number_to_human"帮助器,它自动选择一个好的维度来舍入到。
http://api.rubyonrails.org/classes/ActionView/Helpers/NumberHelper.html#method-i-number_to_human
答案 3 :(得分:1)
它看起来有点难看,但是作为第一枪(每次都是 up )......
>> (("230957".split("").first.to_i + 1).to_s + \
("0" * ("230957".size - 1))).to_i
=> 300000
更好(回合正确):
>> (230957 / 10 ** Math.log10(230957).floor) * \
10 ** Math.log10(230957).floor
=> 200000
答案 4 :(得分:1)
我实际上没有在Ruby中进行任何编码,但是如果你把它推到你想要的数字上,你就能用标准的舍入函数做到这一点。
示例:
230957 / 100000(the resolution you want) = 2.30957
回合2.30957 = 2
,或回合上限/回合值+ 0.5
,使其转到上限而不是下限。
2 or 3 * 100000(the resolution you want) = 200000 or 300000 respectively.
希望这有帮助!
答案 5 :(得分:1)
Math.round接受负数。如果您只是寻找最近的10,您可以(my_num).round(-1)
。
唯一的缺点是没有办法在这里加入ceil,因此它并不总是向上舍入 - 4.round(-1)
将返回0。
答案 6 :(得分:0)
一个简单的建议:
def nearest_large_number value
str = value.to_s.gsub(/^([0-9])/) { "#{$1}." }
multiplicator = ("1" + "0" * str.split('.')[1].length).to_i
str.to_f.ceil * multiplicator
end
使用它:
nearest_large_number 230957
=> 300000
答案 7 :(得分:0)
这是我的版本:
def round(num, nearest = nil, pivot = nil)
negative = num < 0
num = -num if negative
precision = Math.log10(num).to_i rescue 1
nearest ||= precision == 0 ? 10 : 10**precision
pivot ||= nearest
result = (num + pivot) / nearest * nearest
negative ? -result : result
end
这种方法很污点,看起来很难看......但它处理了一些边缘情况,其他人不这样:
以下是一些使用示例:
round(0) # 0
round(1) # 10
round(9) # 10
round(10) # 20
round(-10) # -20
round(100) # 1000
round(1, 1000) # 1000
round(499, 1000, 500) # 0
round(500, 1000, 500) # 1000