25

我已经编写了一些 Rack-Middleware,现在我正在尝试使用 Rspec 对其进行测试。但是所有的 Rack-Middleware 都是用一个 'app' 参数实例化的,它代表 Rails 应用程序本身。你们如何在 Rspec 中模拟这个?

例如,

 describe MyMiddleWare do
    let(:app) { # How do I mock a Rails app object here? }
    subject { MyMiddleWare.new(app: app) }

    it 'should blah blah blah' do
       # a bunch of tests go here
    end
 end
4

3 回答 3

36

您只需要世界上最简单的 Rack 应用程序:

let(:app) { lambda {|env| [200, {'Content-Type' => 'text/plain'}, ['OK']]} }

此外,你的中间件的构造函数应该接收一个应用程序作为它的第一个参数而不是一个哈希,所以它应该是:

subject { MyMiddleWare.new(app) }

但是,您的测试很可能需要确定中间件对请求的影响。因此,您可能会编写一个稍微复杂的机架应用程序来监视您的中间件。

class MockRackApp

  attr_reader :request_body

  def initialize
    @request_headers = {}
  end

  def call(env)
    @env = env
    @request_body = env['rack.input'].read
    [200, {'Content-Type' => 'text/plain'}, ['OK']]
  end

  def [](key)
    @env[key]
  end

end

然后你可能想要使用 Rack::MockRequest 来实际发送请求。就像是:

describe MyMiddleWare do

  let(:app) { MockRackApp.new }
  subject { described_class.new(app) }

  context "when called with a POST request" do
    let(:request) { Rack::MockRequest.new(subject) }
    before(:each) do
      request.post("/some/path", input: post_data, 'CONTENT_TYPE' => 'text/plain')
    end

    context "with some particular data" do
      let(:post_data) { "String or IO post data" }

      it "passes the request through unchanged" do
        expect(app['CONTENT_TYPE']).to eq('text/plain')
        expect(app['CONTENT_LENGTH'].to_i).to eq(post_data.length)
        expect(app.request_body).to eq(post_data)
      end
    end
  end
end
于 2014-02-12T09:42:59.060 回答
0

我相信您应该使用模拟 http 请求的请求规范(您的中间件应该包含在 rails 中间件堆栈中)。在此处查看有关 rspec 请求规范的更多详细信息。

UPD我想我已经找到了你需要的东西,使用 Test::Unit,但是很容易为 RSpec 重写:rack-ssl-enforcer

于 2013-07-23T10:29:54.923 回答
0

我像这样测试了我的

describe Support::CharConverter do

  let(:env_hash) do
    {
      "HTTP_REFERER" => "", 
      "PATH_INFO" => "foo",
      "QUERY_STRING" => "bar",
      "REQUEST_PATH" => "is",
      "REQUEST_URI" => "here",
    }
  end

  subject do 
    Support::CharConverter.new(env_hash)
  end

  context 'sanitize_env' do

    it 'should keep key values the same if nothing to sanitize' do
      sanitized_hash = subject.sanitize_env(env_hash)
      # k = env_hash.keys[5]
      # v = env_hash.values[5]
      env_hash.each do |k, v|
        sanitized_hash[k].encoding.name.should eq("US-ASCII")
        sanitized_hash[k].should eq(v)
        sanitized_hash[k].valid_encoding?.should eq(true)
      end
    end
  end
end
于 2013-12-03T23:51:16.697 回答