JSON比較ソリューション
クリーンですが潜在的に大きなDiffを生成します:
actual = JSON.parse(response.body, symbolize_names: true)
expected = { foo: "bar" }
expect(actual).to eq expected
実際のデータからのコンソール出力の例:
expected: {:story=>{:id=>1, :name=>"The Shire"}}
got: {:story=>{:id=>1, :name=>"The Shire", :description=>nil, :body=>nil, :number=>1}}
(compared using ==)
Diff:
@@ -1,2 +1,2 @@
-:story => {:id=>1, :name=>"The Shire"},
+:story => {:id=>1, :name=>"The Shire", :description=>nil, ...}
(@floatingrockによるコメントに感謝)
文字列比較ソリューション
アイアンクラッドのソリューションが必要な場合は、偽陽性の等価性を導入する可能性のあるパーサーの使用を避けてください。レスポンスボディを文字列と比較します。例えば:
actual = response.body
expected = ({ foo: "bar" }).to_json
expect(actual).to eq expected
ただし、この2番目のソリューションは、エスケープされた引用符を多く含むシリアル化されたJSONを使用するため、視覚的にあまりわかりません。
カスタムマッチャーソリューション
私は自分でカスタムマッチャーを作成する傾向があります。これは、JSONパスが異なる再帰的スロットを正確に特定するはるかに優れた仕事をします。以下をrspecマクロに追加します。
def expect_response(actual, expected_status, expected_body = nil)
expect(response).to have_http_status(expected_status)
if expected_body
body = JSON.parse(actual.body, symbolize_names: true)
expect_json_eq(body, expected_body)
end
end
def expect_json_eq(actual, expected, path = "")
expect(actual.class).to eq(expected.class), "Type mismatch at path: #{path}"
if expected.class == Hash
expect(actual.keys).to match_array(expected.keys), "Keys mismatch at path: #{path}"
expected.keys.each do |key|
expect_json_eq(actual[key], expected[key], "#{path}/:#{key}")
end
elsif expected.class == Array
expected.each_with_index do |e, index|
expect_json_eq(actual[index], expected[index], "#{path}[#{index}]")
end
else
expect(actual).to eq(expected), "Type #{expected.class} expected #{expected.inspect} but got #{actual.inspect} at path: #{path}"
end
end
使用例1:
expect_response(response, :no_content)
使用例2:
expect_response(response, :ok, {
story: {
id: 1,
name: "Shire Burning",
revisions: [ ... ],
}
})
出力例:
Type String expected "Shire Burning" but got "Shire Burnin" at path: /:story/:name
ネストされた配列の深い不一致を示す別の出力例:
Type Integer expected 2 but got 1 at path: /:story/:revisions[0]/:version
ご覧のとおり、出力は、予想されるJSONを修正する場所を正確に示しています。