有关angularJS的新手问题,但在搜索过的教程中没有看到类似的情况。
如何使用相同的指令定义将不同的参数传递给各个div实例?在这里,我希望看到red green blue
,但我会在HTML中看到blue blue blue
。我看到控制器在链接之前被调用了。
http://jsfiddle.net/gradualstudent/Y2bBy/
<!DOCTYPE html>
<html >
<head>
<script src="https://ajax.googleapis.com/ajax/libs/angularjs/1.0.8/angular.min.js"></script>
<script>
var app = angular.module('myApp', []);
app.directive("element", function () {
return {
restrict: "A",
template: '<h1>{{type}}</h1>',
link: function (scope, element, attrs) {
scope.type = attrs.element;
console.log("Setting: "+scope.type);
},
controller: function ($scope) {
console.log("Checking: "+$scope.type);
}
};
})
</script>
</head>
<body ng-app="myApp">
<div element="red">1</div>
<div element="green">2</div>
<div element="blue">3</div>
</body>
</html>
答案 0 :(得分:5)
指令的所有实例都使用相同的作用域,每次调用link
函数时,它都会覆盖先前设置的scope.type
。如果您创建一个隔离的范围,那么它将起作用,因为该指令的每个实例都将获得自己的范围:
app.directive("element", function () {
return {
restrict: "A",
scope: {},
template: '<h1>{{type}}</h1>',
link: function (scope, element, attrs) {
scope.type = attrs.element;
console.log("Setting: "+scope.type);
},
controller: function ($scope) {
console.log("Checking: "+$scope.type);
}
};
})
答案 1 :(得分:5)
在您共享的示例中,指令共享父作用域。由于所有指令共享相同的父作用域,因此只有一个变量type
可用。
您拥有的选项是
scope:true //Creates new scope for each directive instance
或
scope:{} //as provided by akonsu. Creates an isolated scope.
为了完整起见,请花时间了解范围原型继承https://github.com/angular/angular.js/wiki/Understanding-Scopes