我有一系列数据,例如我希望在几个地方存储和引用的时间(早上7点,上午7点30分等)。
1)我应该在哪里存储这些数据?我最初在我的数据库中思考(我正在使用mongoid),但我不确定这是否过度杀人。
2)我如何引用它?让我们说,从下拉菜单中。
答案 0 :(得分:6)
在这种情况下,我在lib中创建了一个Constants
模块:
module Constants
SCHEDULER_STEPS = %w( 7:00am 7:30am )
end
然后我随时随地访问它:
Constants::SCHEDULER_STEPS
注意:请务必在配置文件中将libs
添加到自动加载路径。
答案 1 :(得分:2)
我更喜欢将这类数据放在与其最密切相关的模型上。例如,如果您的示例中的时间是运行备份的时间,请将它们放在Backup
模型中,其余的行为与备份相关:
# app/models/backup.rb
class Backup < ActiveRecord::Base
AVAILABLE_RUN_TIMES = %w{7:00am 7:30am ...}
def run_at=(date)
BackupSchedule.create(self, date)
end
end
# app/views/backups/_form.html.erb
<%= select_tag(:run_at, options_for_select(Backup::AVAILABLE_RUN_TIMES)) %>
我也使用了“常量大桶”的方法,但是如果真的没有更多相关的常量生存的话,我只会使用它。
答案 2 :(得分:2)
对于这种要求,我更喜欢
1st)创建config/app_constants.yml
此处代码
production:
time_list: "'7:00am','7:30am','7:40am'"
test:
time_list: "'7:00am','7:30am','7:40am'"
development:
time_list: "'7:00am','7:30am','7:40am'"
第二次在lib/app_constant.rb
module AppConstant
extend self
CONFIG_FILE = File.expand_path('../config/app_constants.yml', __FILE__)
@@app_constants = YAML.load(File.read(CONFIG_FILE))
@@constants = @@app_constants[Rails.env]
def get_time_list
@@constants['time_list'].split(',')
end
end
第3次在任何地方调用
AppConstant.get_time_list #will return an array
有了这个,您只需在一个干净的地方(app_constants.yml
)进行更改,并且无论在何处使用AppConstant.get_time_list
,都会反映在整个应用程序中
答案 3 :(得分:2)
我最终使用以下代码在“/ config / initializers”中创建了一个“global_constants.rb”文件:
module Constants
BUSINESS_HOURS = ["6:00am","6:15am","6:30am","6:45am","7:00am"]
end
然后我使用Constants::BUSINESS_HOURS
调用了数据,特别是对于选择框,代码为:<%= f.input :hrs_op_sun_open, :collection => Constants::BUSINESS_HOURS %>
这里的许多答案似乎都是可行的,我怀疑它们都是正确的方法来做我需要的。