这并不简单,因为您愿意依赖ng-bind-html
.
让我们先看看这个:
transclude(scope, function(clone, scope){
panelCtrl.setBody($sce.trustAsHtml(clone.html()));
});
上面的clone
函数中将包含一个子panel
指令的注释占位符,如下所示:
One Body
<!-- panel: undefined -->
这是因为子面板指令有transclude: 'element'
,它的链接功能还没有运行。
要解决这个问题很容易,只需稍微修改一下代码:
var clone = transclude(scope, function () {});
panelCtrl.setBody($sce.trustAsHtml(clone.html()));
这样,clone
将包含一个像这样的真实模板:
One Body
<div class="ng-scope"><h1 class="ng-binding">{{panel.title}}</h1><div class="inner ng-binding" ng-bind-html="panel.body"></div></div>
并不奇怪,我们现在有了一个真正的模板,但是绑定还没有发生,所以我们现在还不能使用clone.html()
。
真正的问题开始了:我们如何知道绑定何时完成
AFAIK,我们不知道确切的时间。但是要解决这个问题,我们可以使用$timeout
!
通过使用$timeout
,我们打破了正常的编译周期,所以我们必须想办法让父面板指令知道子指令的绑定已经完成(在$timeout
)。
一种方法是使用控制器进行通信,最终代码如下所示:
app.controller('PanelCtrl', function($scope, $sce) {
$scope.panel = {
title: 'ttt',
body: $sce.trustAsHtml('bbb'),
}
this.setTitle = function(title) {
$scope.panel.title = title;
};
this.setBody = function(body) {
$scope.panel.body = body;
};
var parentCtrl,
onChildRenderedCallback,
childCount = 0;
this.onChildRendered = function(callback) {
onChildRenderedCallback = function () {
callback();
if (parentCtrl) {
$timeout(parentCtrl.notify, 0);
}
};
if (!childCount) {
$timeout(onChildRenderedCallback, 0);
}
};
this.notify = function() {
childCount--;
if (childCount === 0 && onChildRenderedCallback) {
onChildRenderedCallback();
}
};
this.addChild = function() {
childCount++;
};
this.setParent = function (value) {
parentCtrl = value;
parentCtrl.addChild(this);
};
});
app.directive('panel', function($compile, $sce, $timeout) {
return {
restrict: 'E',
scope: {},
replace: true,
transclude: 'element',
controller: 'PanelCtrl',
require: ['panel', '?^panel'],
link: function(scope, element, attrs, ctrls, transclude) {
var panelCtrl = ctrls[0];
var parentCtrl = ctrls[1];
if (parentCtrl) {
panelCtrl.setParent(parentCtrl);
}
var template =
'<div>' +
' <h1>{{panel.title}}</h1>' +
' <div class="inner" ng-bind-html="panel.body"></div>' +
'</div>';
var templateContents = angular.element(template);
var compileTemplateContents = $compile(templateContents);
element.replaceWith(templateContents);
panelCtrl.setTitle(attrs.title);
var clone = transclude(scope, function () {});
panelCtrl.onChildRendered(function() {
panelCtrl.setBody($sce.trustAsHtml(clone.html()));
compileTemplateContents(scope);
});
}
}
});
示例 Plunker: http ://plnkr.co/edit/BBbWsUkkebgXiAdcnoYE?p=preview
我console.log()
在 plunker 中留下了很多东西,你可以看看到底发生了什么。
PS。如果您不使用ng-bind-html
并且只允许 DOM 操作或使用@WilliamScott 的回答中的类似内容,事情会容易得多。