我正在进行跳棋实施。我有一个类(只显示相关部分):
class Game
attr_accessor :current_player
def initialize
@gui = Gui.new
@current_player = :red
end
end
我有:
class Gui
def move_request
"#{Game.current_player.to_s.upcase} make move(x1, y1, x2, y2): "
end
end
我收到此错误:
gui.rb:8:in `move_request': undefined method `current_player' for Game:Class (NoMethodError)
我不想在Game
类中实例化新的Gui
对象,但我希望Gui
类能够访问current_player
实例变量状态。对我应该做什么的任何想法?
答案 0 :(得分:2)
如果没有实例,实例变量甚至不存在,因此您无法按照要求的方式访问实例变量。
您可能想要在创建Gui
时传递对游戏的引用:
class Game
attr_accessor :current_player
def initialize
@gui = Gui.new(self)
@current_player = :red
end
end
class Gui
def initialize(game)
@game = game
end
def move_request
"#{@game.current_player.to_s.upcase} make move(x1, y1, x2, y2): "
end
end
还有其他各种方法可以实现,最好取决于您更广泛的用例。