我正在编写一个包含开发人员可以扩展的Sinatra应用程序的gem。例如:
# gem code:
require 'sinatra'
module Mygem
class Application < Sinatra::Base
get 'auth/login' {}
get 'auth/logout {}
end
end
# developer code:
require 'mygem'
class DeveloperApp < Mygem::Application
# ..
end
我也开始使用RSpec了。我应该如何配置RSpec来测试此功能?
答案 0 :(得分:5)
上面的参考资料都是提供信息和有用的,但主要是特定于轨道。我发现很难找到一个简单的配方来进行模块化Sinatra应用程序的基本测试,所以我希望这会为其他人回答这个问题。这是一个完全无骨,尽可能小的测试。这可能不是唯一的方法,但它适用于模块化应用程序:
require 'sinatra'
class Foo < Sinatra::Base
get '/' do
"Hello"
end
end
require 'rack/test'
describe Foo do
include Rack::Test::Methods
def app
Foo.new
end
it "should be testable" do
get '/'
last_response.should be_ok
end
end
请注意,启动测试时不需要运行服务器(我看到的一些教程暗示你这样做) - 它不是集成测试。
答案 1 :(得分:0)
实际上非常简单 - 只需将rspec添加到您的gemfile(然后捆绑安装),并在您的gem中创建一个名为spec /的目录。完成后,添加一个文件spec / spec_helper.rb,其中包含rspec的一些配置(主要需要库中的各种文件),以及为您的规范定义一些帮助方法。然后,为每个模型和控制器创建一个名为my_model_name_spec.rb或my_controller_name_spec.rb的文件,并在那里进行测试。
以下是一些有关rspec入门的有用资源:
Railscasts:
http://railscasts.com/episodes/275-how-i-test
http://railscasts.com/episodes/71-testing-controllers-with-rspec
http://railscasts.com/episodes/157-rspec-matchers-macros/
对于一些更高级(但很好解释)的东西:
http://benscheirman.com/2011/05/dry-up-your-rspec-files-with-subject-let-blocks
答案 2 :(得分:0)
请务必加入rack-test gem。
你的规范助手应该有:
require 'rack/test'
require 'foo' # or where ever your app is
# This can go in a helper somewhere
module AppHelper
def app
Foo.new
end
end
RSpec.configure do |config|
config.include Rack::Test::Methods
config.include AppHelper
end
然后,您的规范如下:
require 'spec_helper'
# Example app. Delete this example.
class Foo < Sinatra::Base
get '/' do
'Jesse Pinkman'
end
end
describe Foo do
it 'is testable' do
get '/' do
expect(last_response).to be_ok
end
end
end