如何在mixin方法中访问实例变量?我可以想到两种方法,但两者似乎都有问题。
让mixin方法直接访问实例变量,就像任何类方法一样,例如self.text。问题在于它限制了mixin方法的使用位置,并强制进行混合的类具有以特定方式命名的特定实例方法。
将实例变量作为参数传递给mixin方法,这将产生如下代码:
例如
self.do_something(self.text)
或
@thing.do_something(@thing.text)
对我来说看起来很讨厌,并且不符合面向对象的原则。
还有其他办法吗?我对此感到担心吗?
答案 0 :(得分:24)
一般情况下,避免使用mixins访问成员变量:这是一种非常紧密的耦合形式,可能会使未来的重构变得不必要。
一个有用的策略是让Mixin始终通过访问器访问变量。所以,而不是:
#!/usr/bin/ruby1.8
module Mixin
def do_something
p @text
end
end
class Foo
include Mixin
def initialize
@text = 'foo'
end
end
Foo.new.do_something # => "foo"
mixin访问“text”访问器,该访问器由include类定义:
module Mixin
def do_something
p text
end
end
class Foo
attr_accessor :text
include Mixin
def initialize
@text = 'foo'
end
end
Foo.new.do_something # => "foo"
如果您需要在此课程中包含Mixin,该怎么办?
class Foo
def initialize
@text = "Text that has nothing to do with the mixin"
end
end
当包含类使用相同名称时,在mixin中使用通用和通用数据名称可能会导致冲突。在这种情况下,让mixin查找名称不太常见的数据:
module Mixin
def do_something
p mixin_text
end
end
让include类定义适当的访问器:
class Foo
include Mixin
def initialize
@text = 'text that has nothing to do with the mixin'
@something = 'text for the mixin'
end
def mixin_text
@something
end
end
Foo.new.do_something # => "text for the mixin"
通过这种方式,访问者在混合数据和包含类数据之间充当“阻抗匹配器”或“转换器”。
答案 1 :(得分:2)
实例变量名称以ruby开头,带有@ eg。 @variable
。您可以从包含的模块
module M
def t
@t
end
end
class A
include M
def initialize(t)
@t= t
end
end
A.new(23).t # => 23
如果您不能在课程中定义@t
,那么在您可以这样做之前
module M
def t
instance_variable_defined?("@t") ? @t : nil
end
end
答案 2 :(得分:1)
您可以在此模块中自行提供此实例方法,但必须注意不要覆盖现有方法
示例(在您正在混合的模块中):
def text
@text ||= ""
end