使用基于十进制值number_to_currency动态精度值(Using a dynamic pr

2019-09-28 03:42发布

Thoughout我们的应用程序,我们使用number_to_currency(value, :precision => 2) 然而,我们现在有一个要求,由此值可能需要显示三个或三个以上的小数位数,如

0.01  => "0.01"
10    => "10.00"
0.005 => "0.005"

在我们当前的实现,第三个例子呈现为:

0.005 => "0.01"

什么是对我来说,这里采取的最佳方法? 可以number_to_currency进行为我工作? 如果没有,我怎么确定给定的浮点值应该多少个小数位显示给? sprintf("%g", value)接近,但我无法弄清楚如何使它永远铭记最低2DP的。

Answer 1:

下面将不正常的彩车工作,因为精度的问题,但如果你使用BigDecimal它应该工作的罚款。

def variable_precision_currency(num, min_precision)
  prec = (num - num.floor).to_s.length - 2
  prec = min_precision if prec < min_precision
  number_to_currency(num, :precision => prec)
end


ruby-1.8.7-p248 > include ActionView::Helpers

ruby-1.8.7-p248 > puts variable_precision_currency(BigDecimal.new("10"), 2)
$10.00

ruby-1.8.7-p248 > puts variable_precision_currency(BigDecimal.new("0"), 2)
$0.00

ruby-1.8.7-p248 > puts variable_precision_currency(BigDecimal.new("12.45"), 2)
$12.45

ruby-1.8.7-p248 > puts variable_precision_currency(BigDecimal.new("12.045"), 2)
$12.045

ruby-1.8.7-p248 > puts variable_precision_currency(BigDecimal.new("12.0075"), 2)
$12.0075

ruby-1.8.7-p248 > puts variable_precision_currency(BigDecimal.new("-10"), 2)
$-10.00

ruby-1.8.7-p248 > puts variable_precision_currency(BigDecimal.new("-12.00075"), 2)
$-12.00075


文章来源: Using a dynamic precision value in number_to_currency based on the decimal value