Using loops in Jasmine (with injected service)

余生颓废 提交于 2020-01-02 21:57:14

问题


I'm using jasmine 2.3.
Following this: http://tosbourn.com/using-loops-in-jasmine/ I placed a FOR loop directly in the 'describe' nested function

describe('service Profile', function() {
  var ProfileService;
  beforeEach(function() {
    module('app.services.profile');
    inject(function(_ProfileService_) {
      ProfileService = _ProfileService_;
    });
  });
  describe('method setProfile', function() {
    function setProfileTest(key) {
      it('should set the object profile', function() {
        expect(ProfileService.profile[key]).toBeUndefined();
      });
    }

    for (var key in ProfileService.profile) {
      if (ProfileService.profile.hasOwnProperty(key)) {
        setProfileTest(key);
      }
    }
  });
});

The problem is that outside the 'it' function, ProfileService still undefined.


回答1:


Since you need ProfileService to be injected, the loop must run after the beforeEach block.

I can see two solutions. Either:

Use a hard-coded list of profiles and iterate through them. Eg- instead of

 for (var key in ProfileService.profile) {

do

for (var key in ['profile1', 'profile2'...) {

or load the profiles from an external file.

OR

Put the for loop inside of the it test:

it('should set the object profile', function() {
  for (var key in ProfileService.profile) {
    if (ProfileService.profile.hasOwnProperty(key)) {
      expect(ProfileService.profile[key]).toBeUndefined();
    }
  }
});



回答2:


The describe block creates the it blocks, then the beforeEach runs, then the it blocks, so, yes, ProfileService won't be defined when the describe block is setting up the it blocks if you define it in a beforeEach. However, beforeEach is not the only place you can use inject. What happens if you try something like:

describe('method setProfile',
    inject(
        function(ProfileService) {
             //your code here
        }
    )
)


来源:https://stackoverflow.com/questions/39534436/using-loops-in-jasmine-with-injected-service

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!