2

我有一项具有以下功能的服务

injectService(serviceToInject: string, methodToInvoke: string){
    let service = this.$injector.get(serviceToInject);
    service[methodToInvoke]();
}

我想知道如何测试这个?我试过这个:

(function () {
'use strict';

describe.only('ServiceA tests', function () {
    let ServiceA;

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

    beforeEach(inject(function (_ ServiceA_, _$injector_) {
        ServiceA = _ServiceA_;
        $injector = _$injector_;
    }));

    describe.only('injectServiceAndInvoke', function () {
        it('given a string serviceToInject which is a valid service name and a string methodToInvoke which is valid method name without parameters, it should inject the service and call the method', () => {

            let serviceName = 'validServiceName';
            let methodWithoutParams = 'method';
            let injectedService = $injector.get(serviceName);
            // sandboxSinon.stub(ButtonService.$injector, 'get').withArgs(serviceName).returns(stubbedService);

            let methodToBeCalled = sandboxSinon.stub(injectedService, methodWithoutParams).withArgs(undefined);


            sandboxSinon.stub(ServiceA, 'tokenizeState').withArgs(methodWithoutParams).returns([methodWithoutParams, undefined]);
            ServiceA.injectServiceAndInvoke(serviceName, methodWithoutParams);
            expect(methodToBeCalled.calledOnce).to.equal(true);
        });

    });

});

})();

我得到了错误(正确),服务'validServiceName'不存在。我也尝试对 $injector.get 进行存根,但我不明白应该返回什么存根以及如何从该服务调用该方法。

4

1 回答 1

3

由于$injectorservice 是全局使用的,所以不能完全通过 DI 来模拟。这是真正孤立的单元测试的障碍。但并不是一件坏事,因为单个条件模拟不会使测试变得脆弱:

const injectedService = { methodName: sinon.stub() }; 
sinon.stub($injector, 'get');
$injector.get.withArgs('injectedServiceName').returns(injectedService)
$injector.get.callThrough();
ServiceA.injectServiceAndInvoke('injectedServiceName', 'methodName');

expect($injector.get.withArgs('injectedServiceName').calledOnce).to.equal(true);
expect(injectedService.methodName.calledOnce).to.equal(true);
expect(injectedService.methodName.calledWith()).to.equal(true);

但是由于服务具有$injector作为属性,这为测试提供了一个很好的选择,因为可以在服务实例化之后模拟该属性而不是模拟 real $injector.get

const injectedService = { methodName: sinon.stub() }; 
const injectorMock = { get: sinon.stub() };
injectorMock.get.withArgs('injectedServiceName').returns(injectedService);
ServiceA.$injector = injectorMock;
ServiceA.injectServiceAndInvoke('injectedServiceName', 'methodName');

expect(injectorMock.get.withArgs('injectedServiceName').calledOnce).to.equal(true);
expect(injectedService.methodName.calledOnce).to.equal(true);
expect(injectedService.methodName.calledWith()).to.equal(true);
于 2017-05-08T15:49:06.020 回答