8

次のようなモデルがあります。

class Gist
    def self.create(options)
    post_response = Faraday.post do |request|
      request.url 'https://api.github.com/gists'
      request.headers['Authorization'] = "Basic " + Base64.encode64("#{GITHUB_USERNAME}:#{GITHUB_PASSWORD}")
      request.body = options.to_json
    end
  end
end

そして、次のようなテスト:

require 'spec_helper'

describe Gist do
  context '.create' do
    it 'POSTs a new Gist to the user\'s account' do
      Faraday.should_receive(:post)
      Gist.create({:public => 'true',
                   :description => 'a test gist',
                   'files' => {'test_file.rb' => 'puts "hello world!"'}})
    end
  end
end

私がテストしているのはファラデーで POST を作成しているだけなので、このテストは私を満足させるものではありませんが、URL、ヘッダー、または本文を実際にテストすることはできません。ブロック。Faraday テスト アダプターを使用しようとしましたが、それを使用して URL、ヘッダー、または本文をテストする方法もわかりません。

Rspec スタブを記述するより良い方法はありますか? それとも、これまで理解できなかった方法でファラデー テスト アダプターを使用できますか?

ありがとう!

4

3 に答える 3

10

私の友人@n1kh1lは、and_yieldRspecメソッドとこのSO投稿を教えてくれたので、次のようにテストを書くことができました。

require 'spec_helper'

describe Gist do
  context '.create' do
    it 'POSTs a new Gist to the user\'s account' do
      gist = {:public => 'true',
              :description => 'a test gist',
              :files => {'test_file.rb' => {:content => 'puts "hello world!"'}}}

      request = double
      request.should_receive(:url).with('https://api.github.com/gists')
      headers = double
      headers.should_receive(:[]=).with('Authorization', "Basic " + Base64.encode64("#{GITHUB_USERNAME}:#{GITHUB_PASSWORD}"))
      request.should_receive(:headers).and_return(headers)
      request.should_receive(:body=).with(gist.to_json)
      Faraday.should_receive(:post).and_yield(request)

      Gist.create(gist)
    end
  end
end
于 2013-01-16T07:27:40.927 に答える
9

優れた WebMock ライブラリを使用してリクエストをスタブし、リクエストが行われたことをテストできます。ドキュメントを参照してください。

あなたのコードで:

Faraday.post do |req|
  req.body = "hello world"
  req.url = "http://example.com/"
end

Faraday.get do |req|
  req.url = "http://example.com/"
  req.params['a'] = 1
  req.params['b'] = 2
end

RSpec ファイル内:

stub = stub_request(:post, "example.com")
  .with(body: "hello world", status: 200)
  .to_return(body: "a response to post")
expect(stub).to have_been_requested

expect(
  a_request(:get, "example.com")
    .with(query: { a: 1, b: 2 })
).to have_been_made.once
于 2016-02-08T16:10:54.893 に答える