我正在尝试创建一个highlight.js指令,但我在使用范围变量时遇到了问题。
<script src="http://code.jquery.com/jquery-1.8.2.min.js" ></script>
<link rel="stylesheet" href="http://yandex.st/highlightjs/7.3/styles/default.min.css">
<script src="http://yandex.st/highlightjs/7.3/highlight.min.js"></script>
<div ng-app="app">
<div ng-controller="MyCtrl">
<snippet><script src="{{src}}"></script></snippet>
{{src}}
</div>
</div>
function MyCtrl($scope) {
$scope.src = "foo.js";
}
app.directive('snippet', ['$timeout', function($timeout) {
var template = '<pre><code></code></pre>';
return {
restrict: 'E',
compile: function(tElement, tAttrs, transclude) {
var rawCode = tElement.text();
tElement.html(template);
return function(scope, element, attrs) {
$timeout(function() {
scope.$apply(function() {
var formattedCode = hljs.highlightAuto(rawCode);
$(element).find('code').html(formattedCode.value);
});
}, 0);
}
}
}
}]);
这是小提琴:http://jsfiddle.net/dkrotts/RE7Jj/5/
如您所见,$ scope.src未在代码段内应用其值。我做错了什么?
答案 0 :(得分:11)
关键是您应该使用$interpolate而不是$compile
$ interpolate的说明
将带有标记的字符串编译为插值函数。这个 HTML $ compile服务使用服务进行数据绑定。看到 $ interpolateProvider用于配置插值标记。
当你使用$ complie时,它会把你的字符串变成元素。
$ compile
的说明将一段HTML字符串或DOM 编译成模板并生成一个 模板函数,然后可以用于链接范围和 模板在一起。
(说实话,在尝试之前我并不理解这些描述。)
这是工作plunk
app.controller('MainCtrl', function($scope) {
$scope.cdnPath = "//path/to/cdn/";
$scope.version = "1.0";
});
app.directive('snippet', ['$timeout', '$interpolate', function($timeout, $interpolate) {
return {
restrict: 'E',
template:'<pre><code ng-transclude></code></pre>',
replace:true,
transclude:true,
link:function(scope, elm, attrs){
var tmp = $interpolate(elm.find('code').text())(scope);
$timeout(function() {
elm.find('code').html(hljs.highlightAuto(tmp).value);
}, 0);
}
};
}]);
答案 1 :(得分:1)
您需要$compile内部HTML。见下面的小提琴。您也不需要在$ apply块中运行w /。
app.directive('snippet', ['$timeout', '$compile', function($timeout, $compile) {
var template = '<pre><code></code></pre>';
return {
restrict: 'E',
compile: function(tElement, tAttrs, transclude) {
var rawCode = tElement.text();
tElement.html(template);
return function(scope, element, attrs) {
var g = $compile(rawCode)(scope);
$timeout(function() {
var text = g[0].outerHTML;
var formattedCode = hljs.highlightAuto(text);
$(element).find('code').html(formattedCode.value);
}, 0);
}
}
}
}]);