我试图从指令中向其父控制器发送消息(没有成功)
这是我的HTML
<div ng-controller="Ctrl">
<my-elem/>
</div>
以下是控制器中侦听事件的代码
$scope.on('go', function(){ .... }) ;
最后该指令看起来像
angular.module('App').directive('myElem',
function () {
return {
restrict: 'E',
templateUrl: '/views/my-elem.html',
link: function ($scope, $element, $attrs) {
$element.on('click', function() {
console.log("We're in") ;
$scope.$emit('go', { nr: 10 }) ;
}
}
}
}) ;
我尝试过不同的范围配置和$ broadcast而不是$ emit。我看到事件被触发,但控制器没有收到'go'事件。有什么建议吗?
答案 0 :(得分:26)
没有范围on
的范围。在角度中它是$on
应该适合你
<!doctype html>
<html ng-app="test">
<head>
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.2.0-rc.2/angular.js"></script>
</head>
<body ng-controller="test" >
<my-elem/>
<!-- tabs -->
<script>
var app = angular.module('test', []);
app.controller('test', function ($scope) {
$scope.$on('go', function () { alert('event is clicked') });
});
app.directive('myElem',
function () {
return {
restrict: 'E',
replace:true,
template: '<div><input type="button" value=check/></input>',
link: function ($scope, $element, $attrs) {
alert("123");
$element.bind('click', function () {
console.log("We're in");
$scope.$emit('go');
});
}
}
}) ;
</script>
</body>
</html>
答案 1 :(得分:2)
要获取{ nr: 10 }
,应在侦听器中添加2个参数:event
和data
:
$scope.$on('go', function(event, data){
alert(JSON.stringify(data));
});
(请记住,我们使用$on
而不是on
)
答案 2 :(得分:0)
$broadcast
,$emit
和$on
已弃用不建议使用scope / rootScope事件总线,这将使迁移到Angular 2+更加困难。
为便于简化向Angular 2+的过渡,AngularJS 1.5引入了components:
app.component("myElem", {
bindings: {
onGo: '&',
},
template: `
<button ng-click="$ctrl.go($event,{nr:10})">
Click to GO
</button>
`,
controller: function() {
this.go = (event,data) => {
this.onGo({$event: event, $data: data});
};
}
});
用法:
<div ng-controller="Ctrl as $ctrl">
<my-elem on-go="$ctrl.fn($data)></my-elem>
</div>
该组件使用带有AngularJS表达式(&
)绑定的属性,该属性调用父控制器中的函数。该事件不会直接将作用域/ rootScope事件总线塞满大量事件,而是直接传递给使用它的函数。
angular.module('app', [])
.controller ('Ctrl', function () {
this.go = (data) => {
console.log(data);
this.update = data;
};
})
.component("myElem", {
bindings: {
onGo: '&',
},
template: `
<fieldset>
<input ng-model="$ctrl.nr" /><br>
<button ng-click="$ctrl.go($event,$ctrl.nr)">
Click to Update
</button>
</fieldset>
`,
controller: function() {
this.nr = 10;
this.go = (event,data) => {
this.onGo({$event: event, $data: data});
};
}
})
<script src="//unpkg.com/angular/angular.js"></script>
<body ng-app="app" ng-controller="Ctrl as $ctrl">
<p>update={{$ctrl.update}}</p>
<my-elem on-go="$ctrl.go($data)"></my-elem>
</body>
有关更多信息,请参见