我正在开发一个非常基本的购物车系统。

我有一个表items,它的列价格类型为整型。

我在视图中显示包含欧元和美分的价格时遇到了麻烦。在Rails框架中处理货币时,我是否遗漏了一些明显的东西?


当前回答

处理货币的常见做法是使用十进制类型。 下面是“使用Rails进行敏捷Web开发”中的一个简单示例。

add_column :products, :price, :decimal, :precision => 8, :scale => 2 

这将允许您处理从-999,999.99到999,999.99的价格 你可能还想在你的项目中包括一个验证,比如

def validate 
  errors.add(:price, "should be at least 0.01") if price.nil? || price < 0.01 
end 

检查你的价值观。

其他回答

Ruby和Rails的简单代码

<%= number_to_currency(1234567890.50) %>

OUT PUT => $1,234,567,890.50

下面是一个利用composed_of (ActiveRecord的一部分,使用ValueObject模式)和Money宝石的简单方法

你需要

金钱宝石(4.1.0版本) 一个模型,例如Product 模型(和数据库)中的整数列,例如:price

把这些写进你的产品中。rb文件:

class Product > ActiveRecord::Base

  composed_of :price,
              :class_name => 'Money',
              :mapping => %w(price cents),
              :converter => Proc.new { |value| Money.new(value) }
  # ...

你会得到:

Without any extra changes, all of your forms will show dollars and cents, but the internal representation is still just cents. The forms will accept values like "$12,034.95" and convert it for you. There's no need to add extra handlers or attributes to your model, or helpers in your view. product.price = "$12.00" automatically converts to the Money class product.price.to_s displays a decimal formatted number ("1234.00") product.price.format displays a properly formatted string for the currency If you need to send cents (to a payment gateway that wants pennies), product.price.cents.to_s Currency conversion for free

您可能希望在数据库中使用DECIMAL类型。在迁移过程中,执行如下操作:

# precision is the total number of digits
# scale is the number of digits to the right of the decimal point
add_column :items, :price, :decimal, :precision => 8, :scale => 2

在Rails中,:decimal类型返回为BigDecimal,这对于价格计算非常有用。

如果您坚持使用整数,那么您将不得不在所有地方手动转换为bigdecimal,这可能会成为一个麻烦。

正如mcl所指出的,要打印价格,请使用:

number_to_currency(price, :unit => "€")
#=> €1,234.01

处理货币的常见做法是使用十进制类型。 下面是“使用Rails进行敏捷Web开发”中的一个简单示例。

add_column :products, :price, :decimal, :precision => 8, :scale => 2 

这将允许您处理从-999,999.99到999,999.99的价格 你可能还想在你的项目中包括一个验证,比如

def validate 
  errors.add(:price, "should be at least 0.01") if price.nil? || price < 0.01 
end 

检查你的价值观。

我的底层api都使用美分来表示钱,我不想改变这一点。我也没有大量的资金。我把这个放到helper方法中

sprintf("%03d", amount).insert(-3, ".")

它将整数转换为至少有三位数字的字符串(必要时添加前导零),然后在最后两位数字之前插入一个小数点,从不使用Float。从这里,您可以添加任何适合您的用例的货币符号。

这绝对是快速和肮脏的,但有时这是好的!