使用jquery-mockjax.js存根进行Jasmine测试

时间:2015-07-31 02:36:56

标签: jquery jasmine mockjax

我有一个基本的jQuery ajax调用,我使用jquery.mockjax.js模拟响应:

$(document).ready(function() {        
    $("button.ajax").on("click", getAjaxResult);
});

function getAjaxResult() {
    $.getJSON("/restful/get", function(response) {
      if ( response.status == "success") {
        $("p.ajax_result").html( response.result );
      } else {
        $("p.ajax_result").html( "There is a problem, cannot ajax get." );
      }
    });
}

jquery.mockjax.js stub:

$.mockjax({
  url: "/restful/get",
  responseText: {
    status: "success",
    result: "Your ajax was successful."
  }
});

与此同时,我正在尝试编写一个Jasmine describe块来测试触发事件的时间,ajax以及结果是否成功:

it("ajax result should be shown after the button is clicked", function() {
    spyEvent = spyOnEvent("button.ajax", "click");
    $("button.ajax").trigger("click");

    expect("click").toHaveBeenTriggeredOn("button.ajax");
    expect(spyEvent).toHaveBeenTriggered();
    getAjaxResult();

    expect($("p.ajax_result")).toHaveText("Your ajax was successful.");
});

当我运行测试时,它总是失败。我怀疑expect()是在ajax完成之前执行的吗?

关于如何重构它以使其有效的任何想法?

1 个答案:

答案 0 :(得分:1)

你猜错了。 mockjax插件保留了ajax调用的异步性质,因此你的expect()在ajax调用完成之前触发。您需要更改getAjaxResult()函数才能使用回调,以便了解测试中的完成时间:

function getAjaxResult(cb) {
    $.getJSON("/restful/get", function(response) {
      if ( response.status == "success") {
        $("p.ajax_result").html( response.result );
      } else {
        $("p.ajax_result").html( "There is a problem, cannot ajax get." );
      }

      cb(response);
    });
}

然后你的测试看起来像这样......

it("ajax result should ...", function(done) {  // <<< Note the `done` arg!
    spyEvent = spyOnEvent("button.ajax", "click");
    $("button.ajax").trigger("click");

    expect("click").toHaveBeenTriggeredOn("button.ajax");
    expect(spyEvent).toHaveBeenTriggered();

    getAjaxResult(function() {  // <<< Added the callback here
        expect($("p.ajax_result")).toHaveText("Your ajax was successful.");
        done();  // <<< Don't forget to tell jasmine you're done
    });
});
相关问题