如何在rspec中使用padrino helper方法

时间:2012-07-02 23:11:37

标签: rspec padrino

我正在使用padrino和rspec,我希望能够测试我编写的辅助方法。

我有

规格/应用/控制器/ sessions_controller_spec.rb

    describe "POST /sessions" do
    it "should populate current_user after posting correct user/pass" do

      u = User.create({:email=>"john@gmail.com", :password=>"helloworld", :password_confirmation=>"helloworld"})

      user = { 
        email:"john@gmail.com",
        password:"hellowolrd"
      }   
      post '/sessions/new', user
      current_user.should_not == "null"
    end 
  end 

的应用程序/控制器/ sessions_controller.rb

  post "/new" do
    user = User.authenticate(params[:email], params[:password])
    if user
      session[:user_id] = user.id
      redirect '/' 
    else
      render "sessions/new"
    end 
  end 

的应用程序/助手/ sessions_helper.rb

Testing.helpers do
  def current_user
    @current_user ||= User.find(:id=>session[:user_id]) if session[:user_id]
  end 
end

所以这实际上是一个由两部分组成的问题。第一部分是我的方法current_user甚至找不到。其次,我相信如果找到它,它可能会导致错误,因为会话没有被定义。但首先,为什么我得到undefined_method current_user?

Failures:

  1) SessionsController POST /users should populate current_user after posting correct user/pass
     Failure/Error: current_user.should_not == "null"
     NameError:
       undefined local variable or method `current_user' for #<RSpec::Core::ExampleGroup::Nested_1::Nested_2:0x0000000313c0d8>
     # ./spec/app/controllers/sessions_controller_spec.rb:20:in `block (3 levels) in <top (required)>'

1 个答案:

答案 0 :(得分:4)

在问题跟踪器中回答了这个问题:https://github.com/padrino/padrino-framework/issues/930#issuecomment-8448579

从那里剪切并粘贴:

速记助手(这是一个Sinatra,顺便说一下,不是Padrino功能)很难测试,原因如下:

MyApp.helpers do
  def foo

  end
end

是:

的简写
helpers = Module.new do
  def foo
  end
end

MyApp.helpers helpers

因此,可测试性的问题显而易见:帮助程序是一个匿名模块,很难引用匿名的东西。解决方案很简单:明确模块:

module MyHelpers
  def foo
  end
end

MyApp.helpers MyHelpers

然后以任何你想要的方式测试它,例如:

describe MyHelpers do
  subject do
    Class.new { include MyHelpers } 
  end

  it "should foo" do
    subject.new.foo.should == nil
  end
end

此外,您的示例不起作用,因为它假定帮助程序是全局的,它们不是:它们由应用程序限定。