Maneira mais fácil de passar uma variável de escopo AngularJS da diretiva para o controlador?


Respostas:


150

Editado em 25/08/2014: Aqui foi onde eu bifurcou.

Obrigado @anvarik.

Aqui está o JSFiddle . Eu esqueci onde eu bifurquei isso. Mas este é um bom exemplo que mostra a diferença entre = e @

<div ng-controller="MyCtrl">
    <h2>Parent Scope</h2>
    <input ng-model="foo"> <i>// Update to see how parent scope interacts with component scope</i>    
    <br><br>
    <!-- attribute-foo binds to a DOM attribute which is always
    a string. That is why we are wrapping it in curly braces so
    that it can be interpolated. -->
    <my-component attribute-foo="{{foo}}" binding-foo="foo"
        isolated-expression-foo="updateFoo(newFoo)" >
        <h2>Attribute</h2>
        <div>
            <strong>get:</strong> {{isolatedAttributeFoo}}
        </div>
        <div>
            <strong>set:</strong> <input ng-model="isolatedAttributeFoo">
            <i>// This does not update the parent scope.</i>
        </div>
        <h2>Binding</h2>
        <div>
            <strong>get:</strong> {{isolatedBindingFoo}}
        </div>
        <div>
            <strong>set:</strong> <input ng-model="isolatedBindingFoo">
            <i>// This does update the parent scope.</i>
        </div>
        <h2>Expression</h2>    
        <div>
            <input ng-model="isolatedFoo">
            <button class="btn" ng-click="isolatedExpressionFoo({newFoo:isolatedFoo})">Submit</button>
            <i>// And this calls a function on the parent scope.</i>
        </div>
    </my-component>
</div>
var myModule = angular.module('myModule', [])
    .directive('myComponent', function () {
        return {
            restrict:'E',
            scope:{
                /* NOTE: Normally I would set my attributes and bindings
                to be the same name but I wanted to delineate between
                parent and isolated scope. */                
                isolatedAttributeFoo:'@attributeFoo',
                isolatedBindingFoo:'=bindingFoo',
                isolatedExpressionFoo:'&'
            }        
        };
    })
    .controller('MyCtrl', ['$scope', function ($scope) {
        $scope.foo = 'Hello!';
        $scope.updateFoo = function (newFoo) {
            $scope.foo = newFoo;
        }
    }]);

29
Ótima explicação e exemplo! Eu me pergunto por que a documentação é tão complexa? ... Ou será que não sou um grande programador?
kshep92

2
Observe que este violino funciona como em, mas se você alterar a versão angular para uma mais recente (ou seja, de 1.0.1 para 1.2.1), não funcionará mais. Algo deve ter mudado na sintaxe.
eremzeit

2
Finalmente, um exemplo claro que faz sentido. Dor de cabeça de 2h resolvida em 10 segundos.
Chris,

4
Como é que todos votam nessa resposta enquanto o método explica como passar um valor do controlador para uma diretiva e não de uma diretiva para um controlador?
Tiberiu C.

2
isolatedBindingFoo: '= bindingFoo' pode passar os dados da diretiva para o controlador. ou você pode usar o serviço. Antes de votar contra alguém, você pode perguntar primeiro se não entender.
maxisam

70

Espere até que angular tenha avaliado a variável

Eu tinha mexido muito nisso e não consegui fazer funcionar mesmo com a variável definida "="no escopo. Aqui estão três soluções, dependendo da sua situação.


Solução # 1


Descobri que a variável ainda não foi avaliada pelo angular quando foi passada para a diretiva. Isso significa que você pode acessá-lo e usá-lo no modelo, mas não dentro do link ou da função do controlador de aplicativo, a menos que esperemos que seja avaliado.

Se sua variável estiver mudando ou for obtida por meio de uma solicitação, você deve usar $observeou $watch:

app.directive('yourDirective', function () {
    return {
        restrict: 'A',
        // NB: no isolated scope!!
        link: function (scope, element, attrs) {
            // observe changes in attribute - could also be scope.$watch
            attrs.$observe('yourDirective', function (value) {
                if (value) {
                    console.log(value);
                    // pass value to app controller
                    scope.variable = value;
                }
            });
        },
        // the variable is available in directive controller,
        // and can be fetched as done in link function
        controller: ['$scope', '$element', '$attrs',
            function ($scope, $element, $attrs) {
                // observe changes in attribute - could also be scope.$watch
                $attrs.$observe('yourDirective', function (value) {
                    if (value) {
                        console.log(value);
                        // pass value to app controller
                        $scope.variable = value;
                    }
                });
            }
        ]
    };
})
.controller('MyCtrl', ['$scope', function ($scope) {
    // variable passed to app controller
    $scope.$watch('variable', function (value) {
        if (value) {
            console.log(value);
        }
    });
}]);

E aqui está o html (lembre-se dos colchetes!):

<div ng-controller="MyCtrl">
    <div your-directive="{{ someObject.someVariable }}"></div>
    <!-- use ng-bind in stead of {{ }}, when you can to avoids FOUC -->
    <div ng-bind="variable"></div>
</div>

Observe que você não deve definir a variável "="no escopo, se estiver usando a $observefunção. Além disso, descobri que ele passa objetos como strings, portanto, se você estiver passando objetos, use a solução 2 ou scope.$watch(attrs.yourDirective, fn)(ou 3 se a variável não estiver mudando).


Solução # 2


Se sua variável for criada, por exemplo, em outro controlador , mas apenas precisar esperar até que o angular a avalie antes de enviá-la para o controlador de aplicativo, podemos $timeoutesperar até que $applyseja executado. Além disso, precisamos usar $emitpara enviá-lo ao controlador de aplicativo do escopo pai (devido ao escopo isolado na diretiva):

app.directive('yourDirective', ['$timeout', function ($timeout) {
    return {
        restrict: 'A',
        // NB: isolated scope!!
        scope: {
            yourDirective: '='
        },
        link: function (scope, element, attrs) {
            // wait until after $apply
            $timeout(function(){
                console.log(scope.yourDirective);
                // use scope.$emit to pass it to controller
                scope.$emit('notification', scope.yourDirective);
            });
        },
        // the variable is available in directive controller,
        // and can be fetched as done in link function
        controller: [ '$scope', function ($scope) {
            // wait until after $apply
            $timeout(function(){
                console.log($scope.yourDirective);
                // use $scope.$emit to pass it to controller
                $scope.$emit('notification', scope.yourDirective);
            });
        }]
    };
}])
.controller('MyCtrl', ['$scope', function ($scope) {
    // variable passed to app controller
    $scope.$on('notification', function (evt, value) {
        console.log(value);
        $scope.variable = value;
    });
}]);

E aqui está o html (sem colchetes!):

<div ng-controller="MyCtrl">
    <div your-directive="someObject.someVariable"></div>
    <!-- use ng-bind in stead of {{ }}, when you can to avoids FOUC -->
    <div ng-bind="variable"></div>
</div>

Solução # 3


Se sua variável não está mudando e você precisa avaliá-la em sua diretiva, você pode usar a $evalfunção:

app.directive('yourDirective', function () {
    return {
        restrict: 'A',
        // NB: no isolated scope!!
        link: function (scope, element, attrs) {
            // executes the expression on the current scope returning the result
            // and adds it to the scope
            scope.variable = scope.$eval(attrs.yourDirective);
            console.log(scope.variable);

        },
        // the variable is available in directive controller,
        // and can be fetched as done in link function
        controller: ['$scope', '$element', '$attrs',
            function ($scope, $element, $attrs) {
                // executes the expression on the current scope returning the result
                // and adds it to the scope
                scope.variable = scope.$eval($attrs.yourDirective);
                console.log($scope.variable);
            }
         ]
    };
})
.controller('MyCtrl', ['$scope', function ($scope) {
    // variable passed to app controller
    $scope.$watch('variable', function (value) {
        if (value) {
            console.log(value);
        }
    });
}]);

E aqui está o html (lembre-se dos colchetes!):

<div ng-controller="MyCtrl">
    <div your-directive="{{ someObject.someVariable }}"></div>
    <!-- use ng-bind instead of {{ }}, when you can to avoids FOUC -->
    <div ng-bind="variable"></div>
</div>

Além disso, dê uma olhada nesta resposta: https://stackoverflow.com/a/12372494/1008519

Referência para o problema FOUC (flash de conteúdo não estilizado): http://deansofer.com/posts/view/14/AngularJs-Tips-and-Tricks-UPDATED

Para os interessados: aqui está um artigo sobre o ciclo de vida angular


1
Às vezes, um simples ng-if="someObject.someVariable"na diretiva (ou o elemento com a diretiva como um atributo) é suficiente - a diretiva entra em ação somente após someObject.someVariableser definida.
marapet de
Ao utilizar nosso site, você reconhece que leu e compreendeu nossa Política de Cookies e nossa Política de Privacidade.
Licensed under cc by-sa 3.0 with attribution required.