Динамически добавить директиву
Я создаю отчет с набором вопросов.
app.controller('reportCtrl', ['$scope','$stateParams', function ($scope, $stateParams) {
$scope.questions: [
{ questionkey: 1, questiontext: 'Type', questiontype: 1 , questionmodel:'accsType' },
{ questionkey: 2, questiontext: 'Reported By', questiontype: 1, questionmodel: 'accsReportedBy' },
{ questionkey: 3, questiontext: 'Time and Date', questiontype: 6, questionmodel: 'accsCurrentDate' },
{ questionkey: 4, questiontext: 'Address', questiontype: 2, questionmodel: 'accsAddress' },
{ questionkey: 5, questiontext: 'Coordinates', questiontype: 6, questionmodel: 'accsCoordinates' },
{ questionkey: 6, questiontext: 'Blank', questiontype: 1, questionmodel: 'accsBlank1' },
{ questionkey: 7, questiontext: 'Blank', questiontype: 1, questionmodel: 'accsBlank2' },
{ questionkey: 8, questiontext: 'Blank', questiontype: 1, questionmodel: 'accsBlank3' },
{ questionkey: 9, questiontext: 'Blank', questiontype: 1, questionmodel: 'accsBlank4' },
{ questionkey: 10, questiontext: 'Details of Survey', questiontype: 2, questionmodel: 'accsDetailsSurvey' },
{ questionkey: 11, questiontext: 'Photos', questiontype: 5, questionmodel: 'accsPhotos' }
];
}]);
и я создал пользовательскую директиву для рисования вопросов в соответствии с типами вопросов. Например, тип вопроса 1 - текстовое поле, тип 2 - текстовое поле.
<question contents="questions"></question>
app.directive('question', function ($compile) {
return {
transclude: true,
restrict: 'E',
scope: {
contents: '='
},
link: function (scope, element, attrs) {
angular.forEach(scope.contents, function (k, v) {
var ele;
switch (parseInt(k.question.questiontype)) {
case 1:
ele = $compile("<accstextbox data='k.question'></accstextbox>")(scope);
break;
case 2:
ele = $compile("<accstextarea data='k.question'></accstextarea>")(scope);
break;
}
element.append(ele);
});
}
};
});
Я создал директиву для каждого типа вопроса
app.directive('accstextbox', [function () {
return {
restrict: 'E',
templateUrl: 'app/directives/questions/textbox.html',
link: function (scope, element, attrs) {
console.log(scope.data); // undefined
},
scope:{
data: '='
}
};
}]);
app.directive('accstextarea', [function () {
return {
restrict: 'E',
templateUrl: 'app/directives/questions/textarea.html',
link: function (scope, element, attrs) {
console.log(scope.data); // undefined
},
scope: {
data: '='
}
};
}]);
когда я динамически добавляю эти директивы, я передаю объект данных через атрибут. этот объект данных не определен в области действия дочерней директивы. в первый раз я использую angularjs для своего проекта.
2 ответа
Ваше решение не будет работать, так как k
является локальной переменной и недоступна для $compiler
оказание услуг.
Решением для этого является использование вашей директивы ngRepeat
а также ngIf
создать окончательный макет с помощью шаблонов:
app.directive('question', function ($compile) {
return {
transclude: true,
restrict: 'E',
templateUrl: 'app/directives/questions.html',
scope: {
contents: '='
}
};
});
И app/directives/questions.html
:
<div ng-repeat="question in contents">
<accstextbox ng-if="question.questiontype == 1" data="question"></accstextbox>
<accstextarea ng-if="question.questiontype == 2" data="question"></accstextarea>
</div>
Поскольку это действительно маленький шаблон, вы можете добавить его в template
параметр конфигурации директивы, а не загружать ее с сервера через templateUrl
,
Надеюсь, что это поможет вам!
Как отметил Виниций, вы используете k
объект внутри forEach
цикл в текстовой строке, так что угловая не может решить, что вы подразумеваете под k.questions
,
Я предлагаю аналогичное решение, чтобы повторить вопросы в нг-повторить внутри вашего question
директива:
<div>
<div ng-repeat="q in contents">
<div ng-switch="q.questiontype">
<div ng-switch-when="1">
<accstextbox> one: {{q.questiontext}}</accstextbox>
</div>
<div ng-switch-when="2">
<accstextarea> two : {{q.questiontext}}</accstextarea>
</div>
</div>
</div>
</div>
Другой вариант - перенести логику выбора типа шаблона в директиву child. Я бы предпочел эту опцию, если ваше единственное изменение - это тип ввода, и в логике нет большой разницы, поэтому вы должны избегать дублирования вашего кода, т.е. шаблон дочерней директивы будет содержать логику выбора ввода:
<div>
<div ng-if="question.questiontype === 1">
<input type="text"/>
</div>
<div ng-if="question.questiontype === 2">
<textarea name="" id="" cols="30" rows="10"></textarea>
</div>
</div>