我有一个输入字段的指令,它使用transclusion来获取包含ng-model
属性的directives元素中包含的元素。在阅读了无数的SO问题和Angular文档之后,找出如何让转换的html中的ng-model
与我的指令中的ng-model
同步,我终于偶然发现了一个让它运行起来的技巧。这是使用$parent
ng-model
在输入字段中。这一切都很好,花花公子,然而,它似乎笨重/ hackish。
此处显示的Plunker: http://plnkr.co/edit/gEje6Z2uuTs9DFPeCZfv
我试图通过在我的链接函数中搞乱转换函数来使这更加优雅:
```
var transcludedContent, transclusionScope;
transcludeFn(scope, function(clone, scope) {
//headerCtrl.$element.append(clone);
transcludedContent = clone;
transclusionScope = scope;
console.log('scope form: ', scope);
console.log('transclude form: ', clone);
});
```
此外,在此Plunker中显示: http://plnkr.co/edit/11k9LiA5hyi4xydWBo3H?p=preview
有人会认为翻译功能允许您使用指令范围覆盖翻译范围,然后ng-model
属性将关联并绑定到指令范围,但事实并非如此。
虽然$parent.<ng-model>
确实有效,但它看起来非常hackish,并且可能导致错误,例如我的指令未用于没有定义account
对象的父作用域。
答案 0 :(得分:1)
有几种方法可以做到这一点。
1)使用account
=
变量
http://plnkr.co/edit/DxsipWRj0AJe6Yi3bhse
JS:
app.directive('formControl', [function(){
return {
restrict: 'EA',
template: '<div ng-transclude></div>{{account.name}}',
scope: {
account: '='
},
transclude: true,
link: function(scope, element, attrs){
scope.account={};
console.log('SCOPE: ', scope)
}
};
}]);
HTML:
<form-control account='account'>
<label for="name">Enter Name:</label>
<input name="name" ng-model="account.name" \>
</form-control>
2)使用transclude
功能:
这类似于ngIf
和ngRepeat
所做的事情。 ngRepeat
实际上使用$index
和类似的值来装饰每个范围,就像您希望使用account
装饰范围一样。
http://plnkr.co/edit/cZjWqIgO23nzc0kMZA57
JS:
app.directive('formControl', ['$animate', function($animate){
return {
restrict: 'EA',
transclude: 'element',
link: function(scope, element, attrs, ctrl, transclude){
//this creates a new scope that inherits from the parent scope
//that new scope will be what you'll be working with inside your
//transcluded html
transclude(function (clone, scope) {
scope.account = {name:'foobar'};
$animate.enter(clone, null, element);
console.log('SCOPE: ', scope)
});
}
};
}]);
HTML:
<form-control>
<label for="name">Enter Name:</label>
<input name="name" ng-model="account.name" \><br>
{{account.name}}
</form-control>