unludo
unludo

Reputation: 5016

Unit-testing a directive with isolated scope, bidirectional value and ngIf

I want to unit test a directive which looks like this:

angular.module('myApp', [])
.directive('myTest', function () {
    return {
        restrict: 'E',
        scope: { message: '='},
        replace: true,
        template:  '<div ng-if="message"><p>{{message}}</p></div>',
        link: function (scope, element, attrs) {
        }
    };
});

Here is my failing test:

describe('myTest directive:', function () {

    var scope, compile, validHTML;

    validHTML = '<my-test message="message"></my-test>';

    beforeEach(module('myApp'));

    beforeEach(inject(function($compile, $rootScope){
        scope = $rootScope.$new();
        compile = $compile;
    }));

    function create() {
        var elem, compiledElem;
        elem = angular.element(validHTML);
        compiledElem = compile(elem)(scope);
        scope.$digest();

        return compiledElem;    
    }

    it('should have a scope on root element', function () {  
        scope.message = 'not empty';
        var el = create();
        console.log(el.text());
        expect(el.text()).toBeDefined();
        expect(el.text()).not.toBe('');
    });

});

Can you spot why it's failing?

The corresponding jsFiddle

Thanks :)

Upvotes: 1

Views: 654

Answers (1)

mpm
mpm

Reputation: 20155

 console.log((new XMLSerializer()).serializeToString(el.get(0)));

returns

 <!-- ngIf: message --> 

because you are using replace without a parent element in validHTML with combinaison of ng-if .So either you change validHTML and add a div as parent.

or

test your expectations on the next sibling of el

el.next() 

which will be

<div ng-if="message" message="message" class="ng-scope"><p class="ng-binding">yes</p></div> 

Upvotes: 4

Related Questions