다음과 같이 제한된 속성 지시문이 있습니다.
restrict: "A"
두 가지 속성을 전달해야합니다. 숫자와 함수 / 콜백, attrs
객체를 사용하여 지시문 내에서 액세스합니다 .
지시문이 요소 지시문이면 다음과 "E"
같이 제한됩니다 .
<example-directive example-number="99" example-function="exampleCallback()">
그러나 이유 때문에 속성 지시문이 될 지시문이 필요합니다.
여러 속성을 속성 지시문에 어떻게 전달합니까?
답변
지시문 자체가 요소가 아닌 경우에도 지시문은 동일한 요소에 정의 된 모든 속성에 액세스 할 수 있습니다.
주형:
<div example-directive example-number="99" example-function="exampleCallback()"></div>
지령:
app.directive('exampleDirective ', function () {
return {
restrict: 'A', // 'A' is the default, so you could remove this line
scope: {
callback : '&exampleFunction',
},
link: function (scope, element, attrs) {
var num = scope.$eval(attrs.exampleNumber);
console.log('number=',num);
scope.callback(); // calls exampleCallback()
}
};
});
속성 값이 example-number
하드 코딩 $eval
되면 한 번 사용 하고 값을 저장하는 것이 좋습니다 . 변수 num
는 올바른 유형 (숫자)을 갖습니다.
답변
요소 지시문과 동일한 방식으로 수행합니다. 당신은 그것들을 attrs 객체에 넣을 것이고, 내 샘플에는 격리 범위를 통한 양방향 바인딩이 있지만 필수는 아닙니다. 격리 된 범위를 사용하는 경우에는 scope.$eval(attrs.sample)
단순히 scope.sample을 사용하여 속성에 액세스 할 수 있지만 상황에 따라 연결시 정의되지 않을 수 있습니다.
app.directive('sample', function () {
return {
restrict: 'A',
scope: {
'sample' : '=',
'another' : '='
},
link: function (scope, element, attrs) {
console.log(attrs);
scope.$watch('sample', function (newVal) {
console.log('sample', newVal);
});
scope.$watch('another', function (newVal) {
console.log('another', newVal);
});
}
};
});
사용 :
<input type="text" ng-model="name" placeholder="Enter a name here">
<input type="text" ng-model="something" placeholder="Enter something here">
<div sample="name" another="something"></div>
답변
객체를 속성으로 전달하고 다음과 같이 지시문으로 읽을 수 있습니다.
<div my-directive="{id:123,name:'teo',salary:1000,color:red}"></div>
app.directive('myDirective', function () {
return {
link: function (scope, element, attrs) {
//convert the attributes to object and get its properties
var attributes = scope.$eval(attrs.myDirective);
console.log('id:'+attributes.id);
console.log('id:'+attributes.name);
}
};
});
답변
이것은 나를 위해 일했으며 HTML5를 더 잘 준수한다고 생각합니다. ‘data-‘접두사를 사용하려면 HTML을 변경해야합니다.
<div data-example-directive data-number="99"></div>
그리고 지시문 내에서 변수의 값을 읽습니다.
scope: {
number : "=",
....
},
답변
다른 지시문에서 ‘exampleDirective’를 “요구”하고 논리가 ‘exampleDirective’의 컨트롤러에있는 경우 ( ‘exampleCtrl’이라고 가정 해 보겠습니다) :
app.directive('exampleDirective', function () {
return {
restrict: 'A',
scope: false,
bindToController: {
myCallback: '&exampleFunction'
},
controller: 'exampleCtrl',
controllerAs: 'vm'
};
});
app.controller('exampleCtrl', function () {
var vm = this;
vm.myCallback();
});