8

我有一个接受 JSON 的 post 方法:

post '/channel/create' do
  content_type :json

  @data = JSON.parse(env['rack.input'].gets)

  if @data.nil? or !@data.has_key?('api_key')
    status 400
    body({ :error => "JSON corrupt" }.to_json)
  else
    status 200
    body({ :error => "Channel created" }.to_json)
  end

作为 rspec 的新手,我很困惑试图弄清楚如何使用可接受的 JSON 有效负载针对该 POST 编写测试。我最接近的是这是非常不准确的,但我似乎并没有向谷歌上帝问正确的问题来帮助我。

  it "accepts create channel" do
    h = {'Content-Type' => 'application/json'}
    body = { :key => "abcdef" }.to_json
    post '/channel/create', body, h
    last_response.should be_ok
  end

在 Sinatra 中测试 API 的任何最佳实践指南也将不胜感激。

4

3 回答 3

12

您使用的代码很好,尽管我不喜欢以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 会更有帮助

于 2013-02-23T06:37:20.590 回答
0

看起来这样做的能力post :update, '{"some": "json"}'已添加到 rspec 在此提交中使用的内部 ActionPack test_case.rb: https ://github.com/rails/rails/commit/5b9708840f4cc1d5414c64be43c5fc6b51d4ecbf

由于您使用的是 Sinatra,因此我不确定获得这些更改的最佳方式——您可能能够直接升级 ActionPack,或者从上述提交中进行补丁。

于 2014-02-13T16:39:49.220 回答
0

如果您想将 last_response 视为 JSON,您可以尝试rack-test-json 这使得这变得微不足道

expect(last_response).to be_json
expect(last_response.as_json['key']).to be == 'value'
于 2016-07-12T02:41:58.000 回答