我刚刚开始使用我的第一个Ruby on Rails web应用程序。我有很多不同的模型,视图,控制器等等。

我想找到一个好地方粘真正的全局常数的定义,适用于我的整个应用程序。特别是,它们适用于我的模型的逻辑,并在我的视图中所做的决定。我找不到任何DRY的地方来放置这些定义,它们既适用于我的所有模型,也适用于我的所有视图。

举个具体的例子,我想要一个常量colors = ['white', 'blue', 'black', 'red', 'green']。这在模型和视图中都被广泛使用。我可以在哪里只在一个地方定义它,以便它是可访问的?

我的尝试:

Constant class variables in the model.rb file that they're most associated with, such as @@COLOURS = [...]. But I couldn't find a sane way to define it so that I can write in my views Card.COLOURS rather than something kludgy like Card.first.COLOURS. A method on the model, something like def colours ['white',...] end - same problem. A method in application_helper.rb - this is what I'm doing so far, but the helpers are only accessible in views, not in models I think I might have tried something in application.rb or environment.rb, but those don't really seem right (and they don't seem to work either)

是否没有办法定义从模型和视图都可以访问的东西?我的意思是,我知道模型和视图应该是分开的,但在某些领域,它们肯定会有需要引用相同的领域特定知识的时候?


当前回答

全局变量应该在config/initializers目录中声明

COLOURS = %w(white blue black red green)

其他回答

使用类方法:

def self.colours
  ['white', 'red', 'black']
end

然后模型。colors将返回该数组。或者,创建初始化式并将常量包装在模块中,以避免名称空间冲突。

对于应用程序范围的设置和全局常量,我建议使用Settingslogic。这些设置存储在YML文件中,可以从模型、视图和控制器中访问。此外,您可以为所有环境创建不同的设置:

  # app/config/application.yml
  defaults: &defaults
    cool:
      sweet: nested settings
    neat_setting: 24
    awesome_setting: <%= "Did you know 5 + 5 = #{5 + 5}?" %>

    colors: "white blue black red green"

  development:
    <<: *defaults
    neat_setting: 800

  test:
    <<: *defaults

  production:
    <<: *defaults

在视图的某个地方(我更喜欢这种东西的帮助方法)或在模型中,你可以得到,例如,数组的颜色Settings.colors.split(/\s/)。它非常灵活。你不需要发明一辆自行车。

如果一个常量在多个类中需要,我会把它放在config/initializers/constant中。Rb总是全大写(下面的状态列表被截断)。

STATES = ['AK', 'AL', ... 'WI', 'WV', 'WY']

除了在模型代码中,它们可以在整个应用程序中使用:

    <%= form.label :states, %>
    <%= form.select :states, STATES, {} %>

要在模型中使用该常量,请使用attr_accessor使该常量可用。

class Customer < ActiveRecord::Base
    attr_accessor :STATES

    validates :state, inclusion: {in: STATES, message: "-- choose a State from the drop down list."}
end

另一个选择,如果你想在一个地方定义你的常数:

module DSL
  module Constants
    MY_CONSTANT = 1
  end
end

但是仍然使它们在全局可见,而不必以完全合格的方式访问它们:

DSL::Constants::MY_CONSTANT # => 1
MY_CONSTANT # => NameError: uninitialized constant MY_CONSTANT
Object.instance_eval { include DSL::Constants }
MY_CONSTANT # => 1

全局变量应该在config/initializers目录中声明

COLOURS = %w(white blue black red green)