2

我是 javascript 测试的新手。我正在使用 jasmine,需要测试是否已将正确的参数传递给方法。

这是我的方法:

    function myView(){
      if($('.view').is('.list')){
          myWindow('list');
      }else{
          myWindow('random');
      }
      $('.view').toggleClass('my-list');
    }

    function myWindow(list) {
      var url = /test.json;
      $.post(url, {"list": list});
    }

Here are my tests:

  describe('#myView', function() {
    beforeEach(function() {
      fixture.load('myview.html');
    });

    it('sets window to list', function(){
      expect(window.myWindow).toHaveBeenCalledWith('list');
    });
  });

我收到以下错误。

Error: Expected a spy, but got Function.

如果我在期望之前添加这一行(这似乎是错误的,因为我指定了应该由测试识别的正确参数)

spyOn(window, myWindow('list'));

我收到以下错误:

undefined() method does not exist

有人可以告诉我编写上述测试的好方法吗?

4

1 回答 1

5

spyOn的第二个参数是您需要监视的属性的名称。当您调用 时spyOn(window, myWindow('list'));,您的第二个参数是其返回myWindow('list')= undefined> 抛出错误:undefined() method does not exist

在您的代码中,只需执行此操作即可:

describe('#myView', function() {
    beforeEach(function() {
      fixture.load('myview.html');
    });

    it('sets window to list', function(){
      spyOn(window, "myWindow");//spy the function
      myView();//call your method that in turn should call your spy
      expect(window.myWindow).toHaveBeenCalledWith('list');//verify
    });
  });

在软件单元测试中,存在称为存根和模拟对象的概念。这些是被测方法的依赖项。spyOn是创建你的假对象来测试你的方法。

您正在直接window访问全局对象,这在单元测试中确实是一个问题。尽管Javascript 是一种动态类型的语言,但我们仍然可以模拟您的对象(这对于c# 等静态类型的语言是不可能的)。但是为了创建一个好的单元测试代码,我建议你应该重新设计你的代码以从外部注入它。window

function myView(awindow){ //any dependency should be injected, this is an example to inject it via parameter

      if($('.view').is('.list')){
          awindow.myWindow('list');
      }else{
          awindow.myWindow('random');
      }
      $('.view').toggleClass('my-list');
    }

尝试这个:

describe('#myView', function() {
    beforeEach(function() {
      fixture.load('myview.html');
    });

    it('sets window to list', function(){
      var spy = {myWindow:function(list){}};
      spyOn(spy, "myWindow"); //create a spy
      myView(spy); //call your method that in turn should call your spy
      expect(spy.myWindow).toHaveBeenCalledWith('list'); //verify
    });
  });

还有一件事,像这样的 jQuery 代码不太适合单元测试,因为它涉及代码中的 DOM 操作。如果你有时间,你应该看看angularjs框架,它将你的视图(DOM)与你的模型(逻辑)分开,使用依赖注入来使你的代码可测试。

于 2013-10-24T13:38:08.357 回答