Jasmine无法窥探事件处理程序?

时间:2012-04-30 03:38:38

标签: javascript testing event-handling jasmine

尝试测试使用Jasmine在单击的元素上调用事件处理程序。有一个“Pad”对象,其中包含一个DOM元素“PadElement”,它被点击。事件处理程序是Pad对象上的一个方法:

GRAPH.Pad = function(graphDiv, graph) {
    this.graph = graph;

    this.clickHandler = function(e) {
        console.log('padElement clickHandler called');
        //this.graph.createVertex(e.clientX, e.clientY);
    };
    this.padElement = GRAPH.padElement(graphDiv, this.clickHandler);
}

GRAPH.padElement = function(graphDiv, clickHandler) {
    //Initialize pad
    var NS="http://www.w3.org/2000/svg";
    var pad=document.createElementNS(NS,"svg");
    pad.setAttributeNS(null, 'id', 'pad');
    graphDiv.appendChild(pad);
    pad.addEventListener('click', clickHandler)
    return pad;
}

茉莉花测试:

var testDiv = document.createElement('div');
var testGraph = new GRAPH.Graph(testDiv);
var testPad = new GRAPH.Pad(testDiv, testGraph);

  it('has its clickHandler function called when its padElement is clicked',
    function() {
      spyOn(testPad, "clickHandler");
      simulateClick(testPad.padElement);
      //testPad.clickHandler();
      expect(testPad.clickHandler).toHaveBeenCalled();
  });

然而,测试失败。请注意,事件监听器确实被调用(console.log通过鼠标单击并使用simulateClick成功写入),如果我只是直接调用testPad.clickHandler(),Jasmine的间谍可以接收它。但是在实际测试中会发生什么?事件处理程序调用是否在运行时传输到另一个对象?什么是正确的方法?

2 个答案:

答案 0 :(得分:6)

您实际上正在测试GRAPH.padElement调用所提供的clickHandler而不是this.clickHandler GRAPH.Pad调用GRAPH.padElement。我该怎么做才是

var testDiv = document.createElement('div');
var clickHandlerSpy = jasmine.CreateSpy();
var padelement = padElement(testDiv , clickHandlerSpy);

  it('has its clickHandler function called when its padElement is clicked',
    function() {
      simulateClick(testPad.padElement);
      expect(clickHandlerSpy).toHaveBeenCalled();
  });

这听起来与您想要实现的目标略有不同。但是在理想的单元测试世界中,你应该独立测试每个单元,所以我首先测试padElement做它应该做的事情(如上所述),然后编写另一个测试以确保GRAPH.Pad正在通过正确处理padElement。现在要做到这一点,我不会直接从padElement内创建GRAPH.Pad,但不知何故从外部注入它,然后在茉莉花规格中模拟它。如果您对此部分不清楚,请告诉我,我可以为您编写一些代码。

答案 1 :(得分:2)

添加更通用的解释:

在将函数作为事件侦听器附加之前,您需要进行间谍。

一些伪代码:

it("succeeds", function(){
  var o = {}
  o.f = function() { console.log("event caught!");} //your eventHandler
  spyOn(o, "f").and.callThrough(); //o.f is now a spy
  addEventListener('click', o.f); //spy listens for event 

  fireEvent("click"); //"event caught!" is written to console

  expect(o.f).toHaveBeenCalled(); //success, we're happy
});



it("fails", function(){
  var o = {}
  o.f = function() { console.log("event caught!");} //your eventHandler
  addEventListener('click', o.f); //your eventHandler function listens for event
  spyOn(o, "f").and.callThrough(); //o.f is now a spy

  fireEvent("click"); //"event caught!" is written to console

  expect(o.f).toHaveBeenCalled(); //fail, we waste a couple of hours not understanding why
});

因此,如果您知道正在调用您的处理程序,但是间谍没有注册为.tohaveBeenCalled(),请检查首先发生的事情:您的间谍或侦听器的分配。间谍需要先行。