Ruby新手并提前感谢您! 我在同一目录中有2个文件。 Where.rb =
module Where
def self.where(hash = {})
self.select do |fixture| #iterate over fixtures indexes |fixture|
hash.all? do |key, value| #return true as long as hash exists
value === fixture[key]
end
end
end
end
和test.rb =
require 'minitest/autorun'
require './where.rb'
class WhereTest < Minitest::Test
extend Where
def setup
@boris = {:name => 'Boris The Blade', :quote => "Heavy is good. Heavy is reliable. If it doesn't work you can always hit them.", :title => 'Snatch', :rank => 4}
@charles = {:name => 'Charles De Mar', :quote => 'Go that way, really fast. If something gets in your way, turn.', :title => 'Better Off Dead', :rank => 3}
@wolf = {:name => 'The Wolf', :quote => 'I think fast, I talk fast and I need you guys to act fast if you wanna get out of this', :title => 'Pulp Fiction', :rank => 4}
@glen = {:name => 'Glengarry Glen Ross', :quote => "Put. That coffee. Down. Coffee is for closers only.", :title => "Blake", :rank => 5}
@fixtures = [@boris, @charles, @wolf, @glen]
end
def test_where_with_exact_match
assert_equal [@wolf], @fixtures.where(:name => 'The Wolf')
end
def test_where_with_partial_match
assert_equal [@charles, @glen], @fixtures.where(:title => /^B.*/)
end
def test_where_with_mutliple_exact_results
assert_equal [@boris, @wolf], @fixtures.where(:rank => 4)
end
def test_with_with_multiple_criteria
assert_equal [@wolf], @fixtures.where(:rank => 4, :quote => /get/)
end
def test_with_chain_calls
assert_equal [@charles], @fixtures.where(:quote => /if/i).where(:rank => 3)
end
end
puts WhereTest
我的所有测试都说NoMethodError:#Array的未定义方法`where':0x000000027d6a20。
我不确定错误的含义。我用一个应该可用的类方法创建了一个模块。该模块的方法应该可用于extend Where
答案 0 :(得分:0)
错误消息表示当没有为数组定义此类方法时,您尝试在where
的实例上调用Array
方法。
您似乎希望将where
方法添加到Array类中(因为您调用@fixtures.where
而@fixtures
是一个数组。但是,您要将它添加到数组中。 WhereTest
上课。
您需要执行以下操作:
class Array
extend Where
end
class WhereTest < Minitest::Test
def setup
...
现在,您提供的代码存在其他问题(例如,修补核心类是危险的,并且通常强烈建议反对)。但这至少应该让你更接近你想要做的事情。