使用没有$ scope的ControllerAs语法绑定服务变量?

时间:2015-08-08 22:15:55

标签: javascript angularjs angularjs-scope watch angularjs-controlleras

我在AngularJS中熟悉控制器的语法,当我需要对服务变量进行简单绑定时,我就遇到了问题。通常$scope.$watch$scope.$on会这样做,但这会涉及注入$scope,这似乎会破坏控制器的目的。

目前我所拥有的是,点击其中一个按钮并致电config.setAttribute(attr)后,控制器会调用服务的setAttribute功能,而不是getAttribute,所以{{ 1}}永远不会改变。

我有什么东西可以忽略我接近这个吗?我是否需要注入config.attribute或更改控制器语法以使用$scope

查看:

$scope

服务

<div data-ng-controller="ConfigCtrl as config">
    <h3>Customize</h3>
    <pre>Current attribute: {{config.attribute}}</pre>

    <label>Attributes</label>
    <div data-ng-repeat="attr in config.attributes">
        <button ng-click="config.setAttribute(attr)">{{attr.name}}</button>
    </div>
</div>

控制器:

(function() {
'use strict';

angular.module('app')
.factory('Customization', Customization);

function Customization() {
    var service = {
        attribute: null,
        getAttributes: getAttributes,
        setAttribute: setAttribute,
        getAttribute: getAttribute
    }
    return service;
    /////
    function getAttributes() {
        return [
            {name: 'Attr1', value: '1'},
            {name: 'Attr2', value: '2'} // etc.
        ];
    }

    function setAttribute(attr) {
        service.attribute = attr;
    }

    function getAttribute() {
        return service.attribute;
    }
}})();

1 个答案:

答案 0 :(得分:0)

以下是我的控制器在注入$scope并为attribute添加监视后的样子:

(function(){
'use strict';

angular.module('app')
.controller('ConfigCtrl', ConfigCtrl);

function ConfigCtrl($scope, Customization){
    var vm = this;

    vm.attribute;
    vm.attributes = [];

    // Functions
    vm.setAttribute = Customization.setAttribute;

    init();
    /////
    function init(){
        // Get attributes array
        vm.attributes = Customization.getAttributes();
    }

    $scope.$watch(function() {
        return Customization.getAttribute()
    }, function() {
        vm.attribute = Customization.getAttribute();
    });

}})();

如果有人有兴趣,我也会进行Karma测试:

(function() {
    'use strict';

    describe('ConfigCtrl', function () {

        var ConfigCtrl, scope;

        beforeEach(module('app'));

        beforeEach(inject(function($rootScope, $controller) {
            scope = $rootScope.$new();
            ConfigCtrl = $controller('ConfigCtrl',
                {$scope: scope}
            );
        }));

        describe('#setAttribute', function(){
            it('sets the current attribute', function(){
                var selected = {
                    name:'Attr1',
                    value:'1'
                };
                ConfigCtrl.setAttribute(selected);
                scope.$apply();
                expect(ConfigCtrl.attribute).to.eql(selected);
            });
        });
    });
})();

感谢您的帮助。我欢迎任何其他人可能有更好的答案。