mock object for document element

前端 未结 3 842
长情又很酷
长情又很酷 2020-12-23 11:22

I have next test code:

it(\"Test\", function() {
    loadResources();

    expect(document.getElementById(\'MyElement\').innerHTML).toBe(\"my string\");
});
         


        
3条回答
  •  北荒
    北荒 (楼主)
    2020-12-23 11:59

    I think you should mock getElementById to return a dummy HTMLElement

    JASMINE V1.3 OR BELOW

    var dummyElement = document.createElement('div');
    document.getElementById = jasmine.createSpy('HTML Element').andReturn(dummyElement);
    

    JASMINE V2.0+

    var dummyElement = document.createElement('div');
    document.getElementById = jasmine.createSpy('HTML Element').and.returnValue(dummyElement);
    

    So now, for every call to document.getElementById it will return the dummy element. It will set the dummy element's innerHTML and compare it to the expected result in the end.

    EDIT: And I guess you should replace toBe with toEqual. toBe might fail because it will test for object identity instead of value equality.

    EDIT2 (regarding multiple ID): I am not sure, but you could call a fake instead. It will create a new HTML element for each ID (if it doesn't exist yet) and store it in an object literal for future use (i.e. other calls to getElementById with same ID)

    JASMINE V1.3 OR BELOW

    var HTMLElements = {};
    document.getElementById = jasmine.createSpy('HTML Element').andCallFake(function(ID) {
       if(!HTMLElements[ID]) {
          var newElement = document.createElement('div');
          HTMLElements[ID] = newElement;
       }
       return HTMLElements[ID];
    });
    

    JASMINE V2.0+

    var HTMLElements = {};
    document.getElementById = jasmine.createSpy('HTML Element').and.callFake(function(ID) {
       if(!HTMLElements[ID]) {
          var newElement = document.createElement('div');
          HTMLElements[ID] = newElement;
       }
       return HTMLElements[ID];
    });
    

提交回复
热议问题