web-dev-qa-db-ja.com

Sinon JS「すでにラップされているajaxをラップしようとしました」

テストを実行すると、上記のエラーメッセージが表示されました。以下は私のコードです(テストにはBackbone JSとJasmineを使用しています)。なぜこれが起こるのか誰にも分かりますか?

$(function() {
  describe("Category", function() {
     beforeEach(function() {
      category = new Category;
      sinon.spy(jQuery, "ajax");
     }

     it("should fetch notes", function() {
      category.set({code: 123});
      category.fetchNotes();
      expect(category.trigger).toHaveBeenCalled();
     }
  })
}
63
Tri Vuong

すべてのテストの後にスパイを削除する必要があります。 sinon docsの例をご覧ください。

{
    setUp: function () {
        sinon.spy(jQuery, "ajax");
    },

    tearDown: function () {
        jQuery.ajax.restore(); // Unwraps the spy
    },

    "test should inspect jQuery.getJSON's usage of jQuery.ajax": function () {
        jQuery.getJSON("/some/resource");

        assert(jQuery.ajax.calledOnce);
        assertEquals("/some/resource", jQuery.ajax.getCall(0).args[0].url);
        assertEquals("json", jQuery.ajax.getCall(0).args[0].dataType);
    }
}

したがって、ジャスミンテストでは次のようになります。

$(function() {
  describe("Category", function() {
     beforeEach(function() {
      category = new Category;
      sinon.spy(jQuery, "ajax");
     }

     afterEach(function () {
        jQuery.ajax.restore();
     });

     it("should fetch notes", function() {
      category.set({code: 123});
      category.fetchNotes();
      expect(category.trigger).toHaveBeenCalled();
     }
  })
}
95

最初に必要なものは次のとおりです。

  before ->
    sandbox = sinon.sandbox.create()

  afterEach ->
    sandbox.restore()

次に、次のように呼び出します。

windowSpy = sandbox.spy windowService, 'scroll'
  • コーヒースクリプトを使用していることに注意してください。
9
Winters