我的数据库中有一个Person表,我有一个名为person_type的列.我不想要一个person_type的数据库模型,因为它将永远是“志愿者”或“参与者”.我将在哪里创建一个静态数组来保存这些值,以及如何将该数组绑定到Ruby on Rails select helper?最好只是创建一个选择帮手?
谢谢!
解决方法
实现这一点的最简单的方法是在你的Person模型中有一个常数:
class Person < ActiveRecord:Base PERSON_TYPES = ["Volunteer","Participant"] end@H_301_9@然后您可以使用select帮助程序访问它们:
f.select(:person_type,Person::PERSON_TYPES)@H_301_9@如果您需要考虑i18n,只需要稍微修改一下.
给出您的i18n文件中的这些条目:
# config/locales/en.yml person_types: volunteer: "Volunteer" participant: "Participant" # config/locales/de.yml person_types: volunteer: "Freiwillige" participant: "Teilnehmer"@H_301_9@您可以更新您的模型并查看:
# app/models/person.rb class Person < ActiveRecord:Base # The values have been made lower-case to match the conventions of Rails I18n PERSON_TYPES = ["volunteer","participant"] end # app/views/people/_form.html.erb <%= f.select :person_type,Person::PERSON_TYPES.map { |s| [I18n.t("person_types.#{s}"),s] } %>@H_301_9@这将给你你以后的HTML:
<!-- assuming the current I18n language is set to 'de' --> <select name="person[person_type]"> <option value="volunteer">Freiwillige</option> <option value="participant">Teilnehmer</option> </select>@H_301_9@