这是我的班级
class Hero
attr_reader :strength, :health, :actions
def initialize(attr = {})
@strength = attr.fetch(:strength, 3)
@health = attr.fetch(:health, 10)
@actions = attr.fetch(:actions, {})
@dicepool = attr.fetch(:dicepool)
end
def attack(monster)
@dicepool.skill_check(strength, monster.toughness)
end
end
这些是我的测试
require 'spec_helper'
require_relative '../../lib/hero'
describe Hero do
let(:dicepool) {double("dicepool")}
describe "def attributes" do
let(:hero){Hero.new dicepool: dicepool}
it "has default strength equal to 3" do
expect(hero.strength).to eq(3)
end
it "has default health equal to 10" do
expect(hero.health).to eq(10)
end
it "can be initialized with custom strength" do
hero = Hero.new strength: 3, dicepool: dicepool
expect(hero.strength).to eq(3)
end
it "can be initialized with custom health" do
hero = Hero.new health: 8, dicepool: dicepool
expect(hero.health).to eq(8)
end
describe "attack actions" do
let(:attack_action) {double("attack_action") }
let(:hero) {Hero.new dicepool: double("dicepool"), actions: {attack: attack_action} }
it "has attack action"
expect(hero.actions[:attack]).to eq(attack_action)
end
end
end
我一直在
在`块(3级)中':未定义的局部变量或方法'英雄'对于 RSpec :: ExampleGroups :: Hero :: DefAttributes :: AttackActions:Class(NameError)
我不知道为什么。这是我写Rspec测试的第一天,所以请你好...
答案 0 :(得分:0)
您上次测试时输入错误,忘记了单词do
:
it "has attack action" do
expect(hero.actions[:attack]).to eq(attack_action)
end
一旦添加,一切都会过去。
答案 1 :(得分:0)
您没有将阻止传递给it
方法(最后您遗漏了do
和end
)。
it "has attack action"
^^^
正确的代码应如下所示:
describe Hero do
let(:dicepool) {double("dicepool")}
describe "def attributes" do
let(:hero){Hero.new dicepool: dicepool}
it "has default strength equal to 3" do
expect(hero.strength).to eq(3)
end
it "has default health equal to 10" do
expect(hero.health).to eq(10)
end
it "can be initialized with custom strength" do
hero = Hero.new strength: 3, dicepool: dicepool
expect(hero.strength).to eq(3)
end
it "can be initialized with custom health" do
hero = Hero.new health: 8, dicepool: dicepool
expect(hero.health).to eq(8)
end
describe "attack actions" do
let(:attack_action) {double("attack_action") }
let(:hero) {Hero.new dicepool: double("dicepool"), actions: {attack: attack_action} }
it "has attack action" do
expect(hero.actions[:attack]).to eq(attack_action)
end
end
end
end