您使用的代码很好,尽管我不喜欢以it
您通常看到的方式使用块的方式来构造它,但我认为它鼓励一次测试系统的多个方面:
let(:body) { { :key => "abcdef" }.to_json }
before do
post '/channel/create', body, {'CONTENT_TYPE' => 'application/json'}
end
subject { last_response }
it { should be_ok }
我使用let是因为它比before
块中的实例变量更好(感谢您不这样做)。它post
位于一个before
块中,因为它实际上并不是规范的一部分,而是在您指定之前发生的副作用。这subject
是响应,这是it
一个简单的调用。
因为经常需要检查响应是否正常,所以我将其放在一个共享示例中:
shared_examples_for "Any route" do
subject { last_response }
it { should be_ok }
end
然后这样称呼它:
describe "Creating a new channel" do
let(:body) { { :key => "abcdef" }.to_json }
before do
post '/channel/create', body, {'CONTENT_TYPE' => 'application/json'}
end
it_should_behave_like "Any route"
# now spec some other, more complicated stuff…
subject { JSON.parse(last_response.body) }
it { should == "" }
而且因为内容类型经常变化,我把它放在一个助手中:
module Helpers
def env( *methods )
methods.each_with_object({}) do |meth, obj|
obj.merge! __send__(meth)
end
end
def accepts_html
{"HTTP_ACCEPT" => "text/html" }
end
def accepts_json
{"HTTP_ACCEPT" => "application/json" }
end
def via_xhr
{"HTTP_X_REQUESTED_WITH" => "XMLHttpRequest"}
end
通过 RSpec 配置将其添加到需要的地方很容易:
RSpec.configure do |config|
config.include Helpers, :type => :request
然后:
describe "Creating a new channel", :type => :request do
let(:body) { { :key => "abcdef" }.to_json }
before do
post '/channel/create', body, env(:accepts_json)
end
说了这么多,就个人而言,我不会使用 JSON 发布。HTTP POST 处理起来很简单,每个表单和 javascript 库都可以轻松地完成它。无论如何都用 JSON 响应,但不要发布 JSON,HTTP 会容易得多。
编辑:写出Helpers
上面的内容后,我意识到它作为 gem 会更有帮助。