我有一个rails应用程序,可以从一些java服务加载大量数据。我正在编写一个模块,允许我使用这些数据填充一些选择框,我正在尝试正确包含这些,以便我可以在我的视图中引用它们。这是我的模块
module FilterOptions
module Select
def some_select
return "some information"
end
end
end
我的想法是在我的application_helper中包含FilterOptions,然后我想我可以使用Select::some_select
引用我的方法。事实并非如此。我必须include FilterOptions::Select
然后我可以自己引用方法some_select
。我不希望这样,但我认为对于那些可能不知道some_select
来自我自己模块的人来说有点混乱。
那么,我如何编写类似公共静态方法的模块方法,以便我可以包含我的主模块,并使用子模块命名空间引用我的方法,如Select::some_select
答案 0 :(得分:12)
如果在模块本身的上下文中定义模块方法,则可以在不导入的情况下调用它们:
module FilterOptions
module Select
def self.some_select
return "some information"
end
end
end
puts FilterOptions::Select.some_select
# => "some information"
也可以导入一个模块,而不导入下一个模块,而是按名称引用它:
include FilterOptions
puts Select.some_select
# => "some information"
答案 1 :(得分:12)
module_function使模块函数可以作为实例方法或模块函数调用:
#!/usr/bin/ruby1.8
module Foo
def foo
puts "foo"
end
module_function :foo
end
Foo.foo # => foo
Foo::foo # => foo
include Foo
foo # => foo
有时你希望模块中的每个方法都是“模块函数”,但是一遍又一遍地说“module_function”会变得乏味和重复。在这种情况下,只需让您的模块自行扩展:
!/usr/bin/ruby1.8
module Foo
extend self
def foo
puts "foo"
end
end
Foo.foo # => foo
Foo::foo # => foo
include Foo
foo # => foo