2012-04-26 90 views
2

我在做exercises和 在运行test_ex47.rb时得到NameError:Unitialized Constant MyUnitTests::RoomRuby名称错误 - 未初始化的常量

test_ex47.rb:

require 'test/unit' 
require_relative '../lib/ex47' 

class MyUnitTests < Test::Unit::TestCase 
    def test_room() 
     gold = Room.new("Gold Room", """This room has gold in it you can grab. There's a doo to the north.""") 
    assert_equal(gold.name, "GoldRoom") 
    assert_equal(gold.paths, {}) 
end 

def test_room_paths() 
    center = Room.new("Center", "Test room in the center.") 
    north = Room.new("North", "Test room in the north.") 
    south = Room.new("South", "Test room in the south.") 

    center.add_paths({:north => north, :south => south}) 
    assert_equal(center.go(:north), north) 
    assert_equal(center.go(:south), south) 
end 

def test_map() 
    start = Room.new("Start", "You can go west and down a hole.") 
    west = Room.new("Trees", "There are trees here, you can go east.") 
    down = Room.new("Dungeon", "It's dark down here, you can go up.") 

    start.add_paths({:west => west, :down => down}) 
    west.add_paths({:east => start}) 
    down.add_paths({:up => start}) 

    assert_equal(start.go(:west), west) 
    assert_equal(start.go(:west).go(:east), start) 
    assert_equal(start.go(down).go(up), start) 
end 

end 

ex47.rb位于lib文件夹,看起来像:

class Room 
aatr_accessor :name, :description, :paths 

def initialize(name, description) 
    @name = name 
    @description = description 
    @paths = {} 
end 

def go(direction) 
    @paths[direction] 
end 

def add_paths(paths) 
    @paths.update(paths) 
end 
end 

错误:

Finished tests in 0.000872s, 3440.3670 tests/s, 0.0000 assertions/s. 

    1) Error: 
test_map(MyUnitTests): 
NameError: uninitialized constant MyUnitTests::Room 
    test_ex47.rb:22:in `test_map' 

    2) Error: 
test_room(MyUnitTests): 
NameError: uninitialized constant MyUnitTests::Room 
    test_ex47.rb:6:in `test_room' 

    3) Error: 
test_room_paths(MyUnitTests): 
NameError: uninitialized constant MyUnitTests::Room 
    test_ex47.rb:12:in `test_room_paths' 

3 tests, 0 assertions, 0 failures, 3 errors, 0 skips] 
+1

不知道这是否只是在你的问题中,而不是在你的实际代码中,而是在'Room'类中你现在有'aatr_accessor'而不是'attr_accessor'。 – mikej 2012-04-26 07:21:55

+0

谢谢mikej。解决了这个问题和其他一些问题,但同样的错误。 >:| – septerr 2012-04-27 00:35:53

回答

3

这里的问题是,你正在第3行的MyUnitTests类中创建一个Room对象.Ruby认为你想使用一个名为MyUnitTest :: Room的类,whi ch不存在。您需要使用绝对类别参考,如下所示:

class MyUnitTests < Test::Unit::TestCase 
    def test_room() 
     gold = ::Room.new("Gold Room", """This room has gold in it you can grab. There's a doo to the north.""") 
    assert_equal(gold.name, "GoldRoom") 
    assert_equal(gold.paths, {}) 
end 

请注意::在Room.new之前在第3行吗?这告诉Ruby,你想从顶级名称空间创建一个房间对象:)

我希望能回答你的问题。

编辑:您还需要将您对房间类的其他引用更改为:: Room。对不起,我认为由于缩进,只有最上面的那个是个问题。仔细一看就会发现其余的需要::。

相关问题