web-dev-qa-db-ja.com

丸めa Ruby最も近い0.05まで上下にフロートします

私は次のような数字を取得しています

2.36363636363636
4.567563
1.234566465448465
10.5857447736

Rubyこれらの数値を0.05に最も近い値に切り上げる(または切り捨てる)にはどうすればよいですか?

25
dotty

このリンクをチェックしてください、私はそれがあなたが必要としているものだと思います。 ルビー丸め

class Float
  def round_to(x)
    (self * 10**x).round.to_f / 10**x
  end

  def ceil_to(x)
    (self * 10**x).ceil.to_f / 10**x
  end

  def floor_to(x)
    (self * 10**x).floor.to_f / 10**x
  end
end
20
Damian
[2.36363636363636, 4.567563, 1.23456646544846, 10.5857447736].map do |x|
  (x*20).round / 20.0
end
#=> [2.35, 4.55, 1.25, 10.6]
22
sepp2k

一般に、「最も近いxに丸める」ためのアルゴリズムは次のとおりです。

round(x / precision)) * precision

整数であるため、1 / precisionを掛けた方がよい場合があります(したがって、少し速く動作します)。

round(x * (1 / precision)) / (1 / precision)

あなたの場合、それは次のようになります。

round(x * (1 / 0.05)) / (1 / 0.05)

これは次のように評価されます:

round(x * 20) / 20;

Pythonを知らないので、構文が正しくない可能性がありますが、理解できると思います。

18
Bombe

精度は劣りますが、この方法はほとんどの人がこのページをグーグルで検索しているものです

(5.65235534).round(2)
#=> 5.65
11
boulder_ruby

任意のステップ値で丸める一般的な関数は次のとおりです。

libに配置:

lib/rounding.rb
class Numeric
  # round a given number to the nearest step
  def round_by(increment)
    (self / increment).round * increment
  end
end

と仕様:

require 'rounding'
describe 'nearest increment by 0.5' do
  {0=>0.0,0.5=>0.5,0.60=>0.5,0.75=>1.0, 1.0=>1.0, 1.25=>1.5, 1.5=>1.5}.each_pair do |val, rounded_val|
    it "#{val}.round_by(0.5) ==#{rounded_val}" do val.round_by(0.5).should == rounded_val end
  end
end

および使用法:

require 'rounding'
2.36363636363636.round_by(0.05)

hth。

8
Rob

Stringクラスの%メソッドを使用して数値を丸めることができます。

例えば

"%.2f" % 5.555555555

結果として"5.56"を返します(文字列)。

4
Smar

Ruby2にラウンド関数が追加されました。

# Ruby 2.3
(2.5).round
 3

# Ruby 2.4
(2.5).round
 2

Ruby 2.4のようなオプションもあります::even:up:down例:

(4.5).round(half: :up)
 5
4
tokhi

小数点なしの丸め結果を取得するには、 Float's .round を使用します。

5.44.round
=> 5

5.54.round
=> 6
2
Numbers

私は質問が古いことを知っていますが、他の人を助けるために私の発明を世界と共有したいと思います:これは浮動小数点数をステップで丸め、小数を最も近い与えられた数に丸める;の方法です。たとえば、製品の価格を四捨五入する場合に便利です。

def round_with_step(value, rounding)
  decimals = rounding.to_i
  rounded_value = value.round(decimals)

  step_number = (rounding - rounding.to_i) * 10
  if step_number != 0
    step = step_number * 10**(0-decimals)
    rounded_value = ((value / step).round * step)
  end

  return (decimals > 0 ? "%.2f" : "%g") % rounded_value
end

# For example, the value is 234.567
#
# | ROUNDING | RETURN | STEP
# | 1        | 234.60 | 0.1
# | -1       | 230    | 10
# | 1.5      | 234.50 | 5 * 0.1 = 0.5
# | -1.5     | 250    | 5 * 10  = 50
# | 1.3      | 234.60 | 3 * 0.1 = 0.3
# | -1.3     | 240    | 3 * 10  = 30
0
bimlas