是否可以以某种方式使用ngTransclude
作为属性值,而不是替换内部HTML内容?例如,这个简单的指令
var testapp = angular.module('testapp', [])
testapp.directive('tag', function() {
return {
template: '<h1><a href="{{transcludeHere}}" ng-transclude></a></h1>',
restrict: 'E',
transclude: true
}
});
并将其用作
<tag>foo</tag>
我想把它翻译成
<h1><a href="foo">foo</a></h1>
有没有办法,或者我必须使用属性而不是转录?
以下是fiddle示例
答案 0 :(得分:24)
这样的事情:
var testapp = angular.module('testapp', [])
testapp.directive('tag', function() {
return {
restrict: 'E',
template: '<h1><a href="{{transcluded_content}}">{{transcluded_content}}</a></h1>',
replace: true,
transclude: true,
compile: function compile(tElement, tAttrs, transclude) {
return {
pre: function(scope) {
transclude(scope, function(clone) {
scope.transcluded_content = clone[0].textContent;
});
}
}
}
}
});
答案 1 :(得分:7)
还有一个解决方案:
app.directive('tag', function($compile) {
return {
restrict: 'E',
template:"<h1></h1>",
transclude: 'element',
replace: true,
controller: function($scope, $element, $transclude) {
$transclude(function(clone) {
var a = angular.element('<a>');
a.attr('href', clone.text());
a.text(clone.text());
// If you wish to use ng directives in your <a>
// it should be compiled
//a.attr('ng-click', "click()");
//$compile(a)($scope);
$element.append(a);
});
}
};
});
答案 2 :(得分:4)
我原本知道你的问题是关于翻译,但是使用属性可以更简洁地解决这个问题。
var testapp = angular.module('testapp', [])
testapp.directive('tag', function() {
return {
template: '<h1><a href="{{url}}">{{url}}</a></h1>',
restrict: 'E',
scope: {
url: '@'
}
}
});
和你的HTML
<tag url="foo"></tag>
翻译:
<h1><a href="foo">foo</a></h1>
此外,使用最新版本的Angular,还有一个名为&#34;一次性绑定的功能&#34;这对于这样的情况是完美的,在这种情况下,您只需要/需要在初始化时满足插值一次。语法如下所示:
{{::url}}
只需使用上述内容替换模板中{{url}}的所有实例。
答案 3 :(得分:2)
Vadim的答案可以通过使用compile
函数轻松修复,并返回postLink函数,其中将进行转换。
app.directive('tag', function ($compile) {
return {
restrict: 'E',
template: '<h1></h1>',
transclude: 'element',
replace: true,
compile: function($element, $attrs) {
return function ($scope, $element, $attrs, $controller, $transclude) {
$transclude(function(clone) {
var a = angular.element('<a></a>');
a.attr('href', clone.text());
a.text(clone.text());
// If you wish to use ng directives in your <a>
// it should be compiled
// a.attr('ng-click', 'click()');
// $compile(a)($scope);
$element.append(a);
});
};
}
};
});
请参阅https://docs.angularjs.org/api/ng/service/ $ compile
$transclude
函数曾在compile
函数中传递,但已被弃用,现在位于link
函数中。