Единицы измерения преобразования драгоценного камня - PullRequest
5 голосов
/ 12 июня 2011

для моего проекта Rails, я ищу библиотеку, которая может конвертировать массу, объем и другие единицы.

Мне нужно перевести килограммы в граммы, литры в столовые ложки и т. Д.

Я думаю, это должно выглядеть так:

class Product < ActiveRecord:Base
  acts_as_physical_unit, :volume, :mass, :count
end

class Ingredient < ActiveRecord:Base
  acts_as_physical_unit, :volume, :mass, :count
end

olive_oil = Product.new(:name => "Olive Oil", :volume => "1000 ml")

caesar_salad = Recipe.new(:name => "Caesar salad",
  :ingredients => [
    Ingredient.new(:product => [olive_oil], :volume => "5 tablespoons")
  ]

# In ingredients of "Caesar Salad" are 5 tablespoons of "Olive Oil" specified.
# We should create "Caesar Salad" for 50 persons.
# How mutch bottles of "Olive Oil" should be ordered ?
order = OrderItem.new(
  :product => olive_oil,
  :count => olive_oil.count_for(caesar_salad.ingredients.first)) * 50
)

Такой камень вообще существует?

Спасибо.

Ответы [ 2 ]

5 голосов
/ 12 июня 2011

Возможно, вы захотите попробовать ruby-unit :

Вы можете проверить определения единиц , чтобы увидеть, подходит ли вам этот!

1 голос
/ 27 февраля 2014

Вы можете сделать это с помощью Unitwise .Он предназначен для преобразования единиц и измерения математики на тонну научных единиц.Он не знает Rails, но подключить его довольно просто:

require 'unitwise/ext'

class Ingredient < ActiveRecord::Base
  # store the value as milliliter in the database
  def volume=(amount)
    super(amount.convert_to('ml').to_f)
  end

  # convert the value to a measurement when retrieved
  def volume
    super().convert_to('ml')
  end
end

# Now you can initialize by sending a number (assumed to be in ml)
cooking_wine = Ingredient.new(name: 'Cooking Wine', volume: 750)

# Or send any other volume measurement
olive_oil = Ingredient.new(name: 'Olive Oil', volume: 1.liter)
cumin = Ingredient.new(name: 'Cumin', volume: 5.teaspoon)

# Now volume returns a measurement
cooking_wine.volume # => #<Unitwise::Measurement 750.0 ml>

# And the volume can be converted to whatever you want.
olive_oil.volume.convert_to('gallon') # => #<Unitwise::Measurement 0.21996924829908776 gallon>

# Use .to_f to get just the numeric value
cumin.volume.convert_to('cup').to_f # => 0.10416666666666666

# You can perform whatever math you need on the volumes as well:
2.0 * (olive_oil.volume + cooking_wine.volume) => #<Unitwise::Measurement 3500.0 ml>
...