[angularjs] templateUrl을 사용한 단위 테스트 AngularJS 지시문

AngularJS 지시문이 있습니다. templateUrl정의 된 . Jasmine으로 단위 테스트를 시도하고 있습니다.

내 Jasmine JavaScript는 권장 사항에 따라 다음과 같습니다 .

describe('module: my.module', function () {
    beforeEach(module('my.module'));

    describe('my-directive directive', function () {
        var scope, $compile;
        beforeEach(inject(function (_$rootScope_, _$compile_, $injector) {
            scope = _$rootScope_;
            $compile = _$compile_;
            $httpBackend = $injector.get('$httpBackend');
            $httpBackend.whenGET('path/to/template.html').passThrough();
        }));

        describe('test', function () {
            var element;
            beforeEach(function () {
                element = $compile(
                    '<my-directive></my-directive>')(scope);
                angular.element(document.body).append(element);
            });

            afterEach(function () {
                element.remove();
            });

            it('test', function () {
                expect(element.html()).toBe('asdf');
            });

        });
    });
});

Jasmine 사양 오류에서 이것을 실행하면 다음 오류가 발생합니다.

TypeError: Object #<Object> has no method 'passThrough'

내가 원하는 것은 templateUrl이있는 그대로로드되는 것입니다 respond. 사용하고 싶지 않습니다 . 나는 이것이 사용하여 관련이있을 수 있습니다 생각 ngMock 대신 ngMockE2E을 . 이것이 범인이라면 전자 대신 후자를 어떻게 사용합니까?

미리 감사드립니다!



답변

ngMock과 관련이 있다는 것이 맞습니다. ngMock 모듈은 모든 Angular 테스트에 대해 자동으로로드 되며 템플릿 가져 오기를 포함 $httpBackend하는 $http서비스 사용을 처리하기 위해 모의 를 초기화합니다 . 템플릿 시스템은 템플릿을로드하려고 시도 $http하고 모의 객체에 대한 “예기치 않은 요청”이됩니다.

$templateCacheAngular가를 사용하지 않고 템플릿을 요청할 때 이미 사용할 수 있도록 템플릿을에 미리로드하는 방법이 필요합니다 $http.

선호하는 솔루션 : Karma

Karma 를 사용 하여 테스트를 실행 하는 경우 (그리고 그래야만한다면) ng-html2js 전처리 기로 템플릿을로드하도록 구성 할 수 있습니다 . Ng-html2js는 사용자가 지정한 HTML 파일을 읽고 .NET Framework를 미리로드하는 Angular 모듈로 변환합니다 $templateCache.

1 단계 : 컴퓨터에서 전처리기를 활성화하고 구성합니다. karma.conf.js

// karma.conf.js

preprocessors: {
    "path/to/templates/**/*.html": ["ng-html2js"]
},

ngHtml2JsPreprocessor: {
    // If your build process changes the path to your templates,
    // use stripPrefix and prependPrefix to adjust it.
    stripPrefix: "source/path/to/templates/.*/",
    prependPrefix: "web/path/to/templates/",

    // the name of the Angular module to create
    moduleName: "my.templates"
},

Yeoman 을 사용 하여 앱을 스캐 폴딩하는 경우이 구성이 작동합니다.

plugins: [
  'karma-phantomjs-launcher',
  'karma-jasmine',
  'karma-ng-html2js-preprocessor'
],

preprocessors: {
  'app/views/*.html': ['ng-html2js']
},

ngHtml2JsPreprocessor: {
  stripPrefix: 'app/',
  moduleName: 'my.templates'
},

2 단계 : 테스트에서 모듈 사용

// my-test.js

beforeEach(module("my.templates"));    // load new module containing templates

전체 예제를 보려면 Angular 테스트 전문가 Vojta Jina의 표준 예제를 살펴보십시오 . 여기에는 카르마 구성, 템플릿 및 테스트와 같은 전체 설정이 포함됩니다.

카르마가 아닌 솔루션

어떤 이유로 든 Karma를 사용하지 않고 (레거시 앱에서 융통성없는 빌드 프로세스가 있었음) 브라우저에서 테스트 $httpBackend하는 경우 원시 XHR을 사용하여 실제 템플릿을 가져옴으로써 ngMock의 인수를 피할 수 있음을 발견했습니다. 에 삽입합니다 $templateCache. 이 솔루션은 훨씬 덜 유연하지만 지금은 작업이 완료됩니다.

// my-test.js

// Make template available to unit tests without Karma
//
// Disclaimer: Not using Karma may result in bad karma.
beforeEach(inject(function($templateCache) {
    var directiveTemplate = null;
    var req = new XMLHttpRequest();
    req.onload = function() {
        directiveTemplate = this.responseText;
    };
    // Note that the relative path may be different from your unit test HTML file.
    // Using `false` as the third parameter to open() makes the operation synchronous.
    // Gentle reminder that boolean parameters are not the best API choice.
    req.open("get", "../../partials/directiveTemplate.html", false);
    req.send();
    $templateCache.put("partials/directiveTemplate.html", directiveTemplate);
}));

심각하게 생각. Karma를 사용하십시오 . 설정하는 데 약간의 작업이 필요하지만 명령 줄에서 한 번에 여러 브라우저에서 모든 테스트를 실행할 수 있습니다. 따라서이를 지속적 통합 시스템의 일부로 사용하거나 편집기에서 바로 가기 키로 만들 수 있습니다. alt-tab-refresh-ad-infinitum보다 훨씬 낫습니다.


답변

내가 한 일은 템플릿 캐시를 가져와 거기에 뷰를 넣는 것입니다. 나는 ngMock을 사용하지 않는 것에 대한 통제권이 없습니다.

beforeEach(inject(function(_$rootScope_, _$compile_, $templateCache) {
    $scope = _$rootScope_;
    $compile = _$compile_;
    $templateCache.put('path/to/template.html', '<div>Here goes the template</div>');
}));


답변

이 초기 문제는 다음을 추가하여 해결할 수 있습니다.

beforeEach(angular.mock.module('ngMockE2E'));

기본적으로 ngMock 모듈 에서 $ httpBackend 를 찾으려고 하는데 꽉 차지 않았기 때문 입니다.


답변

내가 도달 한 솔루션에는 jasmine-jquery.js와 프록시 서버가 필요합니다.

나는 다음 단계를 따랐다.

  1. karma.conf에서 :

파일에 jasmine-jquery.js 추가

files = [
    JASMINE,
    JASMINE_ADAPTER,
    ...,
    jasmine-jquery-1.3.1,
    ...
]

조명기를 서버 할 프록시 서버를 추가하십시오.

proxies = {
    '/' : 'http://localhost:3502/'
};
  1. 귀하의 사양

    describe ( ‘MySpec’, function () {var $ scope, template; jasmine.getFixtures (). fixturesPath = ‘public / partials /’; // 앱에서 사용하는 실제 템플릿을 제공 할 수있는 사용자 지정 경로 beforeEach (function () {템플릿 = angular.element ( ”);

        module('project');
        inject(function($injector, $controller, $rootScope, $compile, $templateCache) {
            $templateCache.put('partials/resources-list.html', jasmine.getFixtures().getFixtureHtml_('resources-list.html')); //loadFixture function doesn't return a string
            $scope = $rootScope.$new();
            $compile(template)($scope);
            $scope.$apply();
        })
    });

    });

  2. 앱의 루트 디렉터리에서 서버 실행

    파이썬 -m SimpleHTTPServer 3502

  3. 업장을 실행하십시오.

많은 게시물을 검색해야했기 때문에이 문제를 파악하는 데 시간이 걸렸습니다. 매우 중요한 문제이므로 이에 대한 문서가 더 명확해야한다고 생각합니다.


답변

내 솔루션 :

test/karma-utils.js:

function httpGetSync(filePath) {
  var xhr = new XMLHttpRequest();
  xhr.open("GET", "/base/app/" + filePath, false);
  xhr.send();
  return xhr.responseText;
}

function preloadTemplate(path) {
  return inject(function ($templateCache) {
    var response = httpGetSync(path);
    $templateCache.put(path, response);
  });
}

karma.config.js:

files: [
  //(...)
  'test/karma-utils.js',
  'test/mock/**/*.js',
  'test/spec/**/*.js'
],

시험:

'use strict';
describe('Directive: gowiliEvent', function () {
  // load the directive's module
  beforeEach(module('frontendSrcApp'));
  var element,
    scope;
  beforeEach(preloadTemplate('views/directives/event.html'));
  beforeEach(inject(function ($rootScope) {
    scope = $rootScope.$new();
  }));
  it('should exist', inject(function ($compile) {
    element = angular.element('<event></-event>');
    element = $compile(element)(scope);
    scope.$digest();
    expect(element.html()).toContain('div');
  }));
});


답변

Grunt를 사용하는 경우 grunt-angular-templates를 사용할 수 있습니다. 템플릿을 templateCache에로드하고 사양 구성에 투명합니다.

내 샘플 구성 :

module.exports = function(grunt) {

  grunt.initConfig({

    pkg: grunt.file.readJSON('package.json'),

    ngtemplates: {
        myapp: {
          options: {
            base:       'public/partials',
            prepend:    'partials/',
            module:     'project'
          },
          src:          'public/partials/*.html',
          dest:         'spec/javascripts/angular/helpers/templates.js'
        }
    },

    watch: {
        templates: {
            files: ['public/partials/*.html'],
            tasks: ['ngtemplates']
        }
    }

  });

  grunt.loadNpmTasks('grunt-angular-templates');
  grunt.loadNpmTasks('grunt-contrib-watch');

};


답변

선택한 솔루션과 약간 다른 방식으로 동일한 문제를 해결했습니다.

  1. 먼저 karma 용 ng-html2js 플러그인을 설치하고 구성했습니다 . karma.conf.js 파일에서 :

    preprocessors: {
      'path/to/templates/**/*.html': 'ng-html2js'
    },
    ngHtml2JsPreprocessor: {
    // you might need to strip the main directory prefix in the URL request
      stripPrefix: 'path/'
    }
  2. 그런 다음 beforeEach에서 만든 모듈을로드했습니다. Spec.js 파일에서 :

    beforeEach(module('myApp', 'to/templates/myTemplate.html'));
  3. 그런 다음 $ templateCache.get을 사용하여 변수에 저장했습니다. Spec.js 파일에서 :

    var element,
        $scope,
        template;
    
    beforeEach(inject(function($rootScope, $compile, $templateCache) {
      $scope = $rootScope.$new();
      element = $compile('<div my-directive></div>')($scope);
      template = $templateCache.get('to/templates/myTemplate.html');
      $scope.$digest();
    }));
  4. 마지막으로 이런 방식으로 테스트했습니다. Spec.js 파일에서 :

    describe('element', function() {
      it('should contain the template', function() {
        expect(element.html()).toMatch(template);
      });
    });