1. ホーム
  2. angularjs

[解決済み] createspyとcreatespyobjの違いは何ですか?

2022-02-18 13:05:15

質問

私のコードでは、次のように使用しています。

return $provide.decorator('aservice', function($delegate) {
            $delegate.addFn = jasmine.createSpy().andReturn(true);
            return $delegate;
        });

その中で、createSpyが何をするのか?

createSpyを使用すると、1つの関数/メソッドのモックを作成することができます。Createspyobjは複数の関数のモックを作成することができます。そうでしょうか?

何が違うのでしょうか。

解決方法は?

jasmine.createSpy は、スパイする関数がないときに使うことができます。のように呼び出しと引数を追跡します。 spyOn が、実装はない。

jasmine.createSpyObj は、ひとつあるいは複数のメソッドをスパイするモックを作成するために使用します。これは、スパイとなる各文字列のプロパティを持つオブジェクトを返します。

モックを作成する場合は jasmine.createSpyObj . 以下の例をご覧ください。

Jasmineのドキュメントより http://jasmine.github.io/2.0/introduction.html ...

createSpyです。

describe("A spy, when created manually", function() {
  var whatAmI;

  beforeEach(function() {
    whatAmI = jasmine.createSpy('whatAmI');

    whatAmI("I", "am", "a", "spy");
  });

  it("is named, which helps in error reporting", function() {
    expect(whatAmI.and.identity()).toEqual('whatAmI');
  });

  it("tracks that the spy was called", function() {
    expect(whatAmI).toHaveBeenCalled();
  });

  it("tracks its number of calls", function() {
    expect(whatAmI.calls.count()).toEqual(1);
  });

  it("tracks all the arguments of its calls", function() {
    expect(whatAmI).toHaveBeenCalledWith("I", "am", "a", "spy");
  });

  it("allows access to the most recent call", function() {
    expect(whatAmI.calls.mostRecent().args[0]).toEqual("I");
  });
});

createSpyObjです。

describe("Multiple spies, when created manually", function() {
  var tape;

  beforeEach(function() {
    tape = jasmine.createSpyObj('tape', ['play', 'pause', 'stop', 'rewind']);

    tape.play();
    tape.pause();
    tape.rewind(0);
  });

  it("creates spies for each requested function", function() {
    expect(tape.play).toBeDefined();
    expect(tape.pause).toBeDefined();
    expect(tape.stop).toBeDefined();
    expect(tape.rewind).toBeDefined();
  });

  it("tracks that the spies were called", function() {
    expect(tape.play).toHaveBeenCalled();
    expect(tape.pause).toHaveBeenCalled();
    expect(tape.rewind).toHaveBeenCalled();
    expect(tape.stop).not.toHaveBeenCalled();
  });

  it("tracks all the arguments of its calls", function() {
    expect(tape.rewind).toHaveBeenCalledWith(0);
  });
});