12

我有以下规格...

  describe "successful POST on /user/create" do
    it "should redirect to dashboard" do
      post '/user/create', {
          :name => "dave",
          :email => "dave@dave.com",
          :password => "another_pass"
      }
      last_response.should be_redirect
      follow_redirect!
      last_request.url.should == 'http://example.org/dave/dashboard'
    end
  end

Sinatra 应用程序上的 post 方法使用 rest-client 调用外部服务。我需要以某种方式存根其余客户端调用以发送回预设响应,因此我不必调用实际的 HTTP 调用。

我的应用程序代码是...

  post '/user/create' do
    user_name = params[:name]
    response = RestClient.post('http://localhost:1885/api/users/', params.to_json, :content_type => :json, :accept => :json)
    if response.code == 200
      redirect to "/#{user_name}/dashboard"
    else
      raise response.to_s
    end
  end

有人可以告诉我如何使用 RSpec 做到这一点吗?我在谷歌上搜索过很多博客文章,这些文章只是表面的,但我实际上找不到答案。我对 RSpec 时期很陌生。

谢谢

4

3 回答 3

18

使用模拟作为响应,您可以做到这一点。一般来说,我对 rspec 和测试仍然很陌生,但这对我有用。

describe "successful POST on /user/create" do
  it "should redirect to dashboard" do
    RestClient = double
    response = double
    response.stub(:code) { 200 }
    RestClient.stub(:post) { response }

    post '/user/create', {
      :name => "dave",
      :email => "dave@dave.com",
      :password => "another_pass"
    }
    last_response.should be_redirect
    follow_redirect!
    last_request.url.should == 'http://example.org/dave/dashboard'
  end
end
于 2013-01-10T22:17:42.327 回答
6

实例双打是要走的路。如果你存根一个不存在的方法,你会得到一个错误,这会阻止你在生产代码中调用一个不存在的方法。

      response = instance_double(RestClient::Response,
                                 body: {
                                   'isAvailable' => true,
                                   'imageAvailable' => false,
                                 }.to_json)
      # or :get, :post, :etc
      allow(RestClient::Request).to receive(:execute).and_return(response)
于 2019-04-11T01:58:31.000 回答
3

我会考虑使用 gem 来完成这样的任务。

最流行的两个是WebMockVCR

于 2013-01-10T22:26:18.377 回答