我正在尝试定义一个包含jqueryui可排序插件的指令sortable
。
角度代码是:
module.directive('sortable', function () {
return function (scope, element, attrs) {
var startIndex, endIndex;
$(element).sortable({
start:function (event, ui) {
startIndex = ui.item.index();
},
stop:function (event, ui) {
endIndex = ui.item.index();
if(attrs.onStop) {
scope.$apply(attrs.onStop, startIndex, endIndex);
}
}
}).disableSelection();
};
});
html代码是:
<div ng-controller="MyCtrl">
<ol sortable onStop="updateOrders()">
<li ng-repeat="m in messages">{{m}}</li>
</ol>
</div>
MyCtrl
的代码:
function MyCtrl($scope) {
$scope.updateOrders = function(startIndex, endIndex) {
console.log(startIndex + ", " + endIndex);
}
}
我希望在我的回调startIndex
中获取endIndex
和updateOrders
并对其执行某些操作,但会打印出来:
undefined, undefined
如何将这些参数传递给我的回调?我的方法是否正确?
答案 0 :(得分:19)
这个小提琴显示来自传递参数的指令的热回调。主要技巧是使用范围来传递函数。 http://jsfiddle.net/pkriens/Mmunz/7/
var myApp = angular.module('myApp', []).
directive('callback', function() {
return {
scope: { callback: '=' },
restrict: 'A',
link: function(scope, element) {
element.bind('click', function() {
scope.$apply(scope.callback('Hi from directive '));
})
}
};
})
function MyCtrl($scope) {
$scope.cb = function(msg) {alert(msg);};
}
然后html看起来像例如:
<button callback='cb'>Callback</button>
答案 1 :(得分:16)
scope.$apply
接受函数或字符串。
在这种情况下,使用函数会更简单:
scope.$apply(function(self) {
self[attrs.onStop](startIndex, endIndex);
});
不要忘记将您的HTML代码更改为:
<ol sortable onStop="updateOrders">
(删除了()
)
答案 2 :(得分:13)
备选方案1
如果你没有这个指令的隔离范围,我会使用$ parse服务:
在控制器中:
...
$scope.getPage = function(page) {
...some code here...
}
在视图中:
<div class="pagination" current="6" total="20" paginate-fn="getData(page)"></div>
在指令中:
if (attr.paginateFn) {
paginateFn = $parse(attr.paginateFn);
paginateFn(scope, {page: 5})
}
备选方案2
现在,如果您有一个隔离范围,您可以将参数作为命名映射传递给它。如果您的指令定义如下:
scope: { paginateFn: '&' },
link: function (scope, el) {
scope.paginateFn({page: 5});
}
答案 3 :(得分:0)
将@Peter Kriens的答案更进一步,您只需检查范围上的名称并直接调用即可。
var myApp = angular.module('myApp', []).
directive('anyOldDirective', function() {
return {
link: function(scope, element) {
element.bind('click', function() {
if (scope.wellKnownFunctionName) {
scope.wellKnownFunctionName('calling you back!');
} else {
console.log("scope does not support the callback method 'wellKnownFunctionName');
}
})
}
};
})
function MyCtrl($scope) {
$scope.wellKnownFunctionName= function(a) {console.log(a);};
}