在promise解决后调用函数,但Jasmine未通过测试。为什么?

时间:2016-05-16 02:06:43

标签: javascript node.js jasmine jasmine-node

我的应用程序使用的服务返回一个通常依赖于大量其他promise的promise。我已将其重构为单独的命名函数,以使测试(和可读性)更容易。所以在这种情况下,我只想测试run函数是否完成其工作并调用其他函数。

e.g。

run() {
    return myService
    .connection
    .then(this.namedFunction1)
    .then(this.namedFunction2)
    .then(this.namedFunction3)
    .catch((error) => {
      console.log("doh!", error.stack);
    });

当我测试namedFunction1被称为Jasmine失败时,即使事实并非如此。这是一个我为保持简单而做的一些代码示例:

getString() {
    return Promise.resolve("Heeeelp. Heeeelp!!");
  }

  printToConsole(string) {
    console.log(string); // This works! but Jasmine says nay :( 
  }

  myFunction() {
    this.getString()
    .then(this.printToConsole)
    .catch((error) => {
      console.log("Some error occurred", error);
    });
  }

......和测试:

it("should call the printToConsole function", function() {
      spyOn(myClass, "printToConsole").and.callThrough(); //added the call through so it would print
      myClass.myFunction();
      expect(myClass.printToConsole).toHaveBeenCalled();
    });

和输出......

> Started F[2016-05-16 11:32:31.898] console - Heeeelp. Heeeelp!!
> 
> 
> Failures: 1) MyClass myFunction should call the printToConsole
> function   Message:
>     Expected spy printToConsole to have been called.   Stack:
>     Error: Expected spy printToConsole to have been called.

我尝试添加jasmine asynch done()函数,但这没有做任何事情,最终我在示例中立即解决了这个问题。

那么为什么或如何测试失败?

非常感谢任何帮助。感谢。

1 个答案:

答案 0 :(得分:4)

因为myFunction是异步操作。 myFunction调用异步函数然后立即返回,之后测试断言将触发。那时,printToConsole实际上还没有被调用。您希望使用Jasmine's async test support成功运行此测试。

您需要修改myFunction以返回承诺,以便您知道它何时完成:

myFunction() {
  return this.getString()
  .then(this.printToConsole)
  .catch((error) => {
    console.log("Some error occurred", error);
  });
}

然后,您将修改测试以使用Jasmine提供的done功能:

it("should call the printToConsole function", function(done) {
  spyOn(myClass, "printToConsole").and.callThrough(); //added the call through so it would print
  myClass.myFunction().then(function () {
    expect(myClass.printToConsole).toHaveBeenCalled();
    done();
  }).catch(done); // to make sure the test reports any errors
});

这应该让事情有效。