Reputation: 1519
I get SyntaxError: Parse error
at my directive line where I want to use a "&" one-way binding from a parent directive's method
myApp.directive('datasourceDeleteBtn', [function() {
return {
restrict: 'E',
replace: true,
template: '<a href="#">✕</a>',
scope: {
datasourceIndex: '@',
removeParentDiv: '&'
},
link: link
};
function link(scope, element, attr) {
element.bind('click', function(event) {
event.preventDefault();
scope.deleteDatasource(scope.datasourceIndex);
});
// Notify parent directive
scope.deleteDatasource = function(datasource_index) {
// conditional stuff that happens not included
// {} required for passing values to "&" parent scope method
scope.removeParentDiv({datasource_index});
};
}
}]);
HTML
<parent-div ng-repeat> // this is just a mockup not literal
<datasource-delete-btn datasource-index="{{$index}}" remove-parent-div="removeParentDiv()"></datasource-delete-btn>
</parent-div>
The parent div of the ng-repeat that passes removeParentDiv
// parentDiv directive has this
scope.datasources = [];
scope.removeDatasourcePicker = function(index) {
scope.datasources.splice(index, 1); // ie take it out
};
It seems the problem is that Jasmine does not like the { }. Removing the brackets results in the test going through (with typical errors since & requires {}).
Upvotes: 3
Views: 667
Reputation: 136144
You are getting error because you are passing json in wrong format in method
You have not called method passed in directive scope removeParentDiv: '&'
correctly from directive. As you are only doing scope.removeParentDiv({datasource_index});
which would not pass index parameter to the method.
For make it working, you need to do couple of changes.
Directive element method should be
remove-parent-div="removeParentDiv(index)"
and while calling it from directive, by having json structure, where index
is nothing but parameter and datasource_index
is value of it.
scope.removeParentDiv({index: datasource_index});
Do run digest cycle after calling scope.deleteDatasource(scope.datasourceIndex);
method from click
event so that it will update scope
binding.
element.bind('click', function(event) {
event.preventDefault();
scope.deleteDatasource(scope.datasourceIndex);
scope.$apply(); //to run digest cycle, to keep binding in sync
});
Upvotes: 3