我正在尝试通过此测试,但不确定如何通过此测试。
测试
def test_it_is_thirsty_by_default
vampire = Vampire.new("Count von Count")
assert vampire.thirsty?
end
def test_it_is_not_thirsty_after_drinking
vampire = Vampire.new("Elizabeth Bathory")
vampire.drink
refute vampire.thirsty?
end
代码
def thirsty?
true
end
def drink
thirsty? === false
end
它在上一次测试中给出了失败消息:
Failed refutation, no message given
我想念什么?我的想法是,最初,吸血鬼是口渴(true),然后定义了一种方法,该方法将使吸血鬼不再口渴(false)。
编辑
即使我将饮酒方法重新分配给:
thirsty? = false
我收到指向=
符号的语法错误。
答案 0 :(得分:1)
您遗漏了几件事,最重要的是,某种写方法可以让您存储@thirsty
方法调用内正在更新drink
的事实
有两种不同的方法可以做到这一点,但下面显示了一些注意事项:
require 'test/unit'
class Vampire
def initialize(name)
@name = name
@thirsty = true # true by default
end
def drink
@thirsty = false # updates @thirsty for the respective instance
end
def thirsty?
@thirsty
end
end
class VampireTests < Test::Unit::TestCase
def test_it_is_thirsty_by_default
vampire = Vampire.new("Count von Count")
assert vampire.thirsty?
end
def test_it_is_not_thirsty_after_drinking
vampire = Vampire.new("Elizabeth Bathory")
vampire.drink
refute vampire.thirsty?
end
end