根据要求使用特定的VCR卡带



情况:使用Rspec, FactoryGirl和VCR测试rails应用程序。

每创建一个User,就会通过Stripe的API创建一个关联的Stripe客户。在测试时,在涉及用户创建的每个规范中添加VCR.use_cassettedescribe "...", vcr: {cassette_name: 'stripe-customer'} do ...是没有意义的。我的实际解决方案如下:

RSpec.configure do |config|
  config.around do |example|
    VCR.use_cassette('stripe-customer') do |cassette|
      example.run
    end
  end
end

但这是不可持续的,因为相同的磁带将用于每个http请求,这当然是非常糟糕的。

问题:如何根据个人要求使用特定的夹具(卡带),而不指定每个规格的卡带?

我有这样的想法,伪代码:

stub_request(:post, "api.stripe.com/customers").with(File.read("cassettes/stripe-customer"))

相关代码片段(作为要点):

# user_observer.rb
class UserObserver < ActiveRecord::Observer
  def after_create(user)
    user.create_profile!
    begin
      customer =  Stripe::Customer.create(
        email: user.email,
        plan: 'default'
        )
      user.stripe_customer_id = customer.id
      user.save!
    rescue Stripe::InvalidRequestError => e
      raise e
    end
  end
end

# vcr.rb
require 'vcr'
VCR.configure do |config|
  config.default_cassette_options = { record: :once, re_record_interval: 1.day }
  config.cassette_library_dir = 'spec/fixtures/cassettes'
  config.hook_into :webmock
  config.configure_rspec_metadata!
end

# user_spec.rb
describe :InstanceMethods do
  let(:user) { FactoryGirl.create(:user) }
  describe "#flexible_name" do
    it "returns the name when name is specified" do
      user.profile.first_name = "Foo"
      user.profile.last_name = "Bar"
      user.flexible_name.should eq("Foo Bar")
    end
  end
end
<标题>编辑

我最后做了这样的事情:

VCR.configure do |vcr|
  vcr.around_http_request do |request|
    if request.uri =~ /api.stripe.com/
      uri = URI(request.uri)
      name = "#{[uri.host, uri.path, request.method].join('/')}"
      VCR.use_cassette(name, &request)
    elsif request.uri =~ /twitter.com/
      VCR.use_cassette('twitter', &request)
    else
    end
  end
end

VCRX包含了一个专门支持以下用例的特性:

https://relishapp.com/vcr/vcr/v/2-4-0/docs/hooks/before-http-request-hook !https://relishapp.com/vcr/vcr/v/2-4-0/docs/hooks/after-http-request-hook !https://relishapp.com/vcr/vcr/v/2-4-0/docs/hooks/around-http-request-hook !

VCR.configure do |vcr|
  vcr.around_http_request(lambda { |req| req.uri =~ /api.stripe.com/ }) do |request|
    VCR.use_cassette(request.uri, &request)
  end
end

IMO,这样的库应该为您提供一个模拟类,但是w/e.


你可以用Webmock来做你的伪代码例子,Webmock是VCR使用的默认网络模拟库。

body = YAML.load(File.read 'cassettes/stripe-customer.yml')['http_interactions'][0]['response']['body']['string']
stub_request(:post, "api.stripe.com/customers").to_return(:body => body)

你可以把它放在一个只在特定标签上运行的before块中,然后标记发出API调用的请求。


在他们的测试中,他们覆盖委托给RestClient(链接)的方法。您也可以这样做,看看他们的测试套件,看看他们是如何使用它的,特别是他们对test_response的使用。我认为这是一种非常糟糕的做事方式,并且会感到非常不舒服(请注意,我是少数有这种不舒服的人),但它现在应该可以工作(它有可能在你不知道的情况下崩溃,直到运行时)。如果要这样做,我希望为两个模拟(一个模拟rest-client,另一个模拟rest-client响应)构建真正的对象。

VCR的全部意义(无论如何)就是重播对前一个请求的响应。如果你在那里挑选和选择什么响应返回到什么请求,你就是在做错误的事情。

就像Joshua已经说过的,你应该使用Webmock来做这样的事情。这就是VCR在幕后所使用的。

相关内容

  • 没有找到相关文章

最新更新